From c39b65a5f56926cada8daf2d41e4a40848909219 Mon Sep 17 00:00:00 2001 From: Anupam Date: Tue, 22 Sep 2020 14:23:54 +0530 Subject: [PATCH 01/49] fix: quality procedure parent --- .../doctype/quality_procedure/quality_procedure.js | 8 ++++++++ .../doctype/quality_procedure/quality_procedure.json | 6 +++--- 2 files changed, 11 insertions(+), 3 deletions(-) diff --git a/erpnext/quality_management/doctype/quality_procedure/quality_procedure.js b/erpnext/quality_management/doctype/quality_procedure/quality_procedure.js index cf2644e005..ac876229ec 100644 --- a/erpnext/quality_management/doctype/quality_procedure/quality_procedure.js +++ b/erpnext/quality_management/doctype/quality_procedure/quality_procedure.js @@ -10,5 +10,13 @@ frappe.ui.form.on('Quality Procedure', { } }; }); + + frm.set_query('parent_quality_procedure', function(){ + return { + filters: { + is_group: 1 + } + }; + }); } }); \ No newline at end of file diff --git a/erpnext/quality_management/doctype/quality_procedure/quality_procedure.json b/erpnext/quality_management/doctype/quality_procedure/quality_procedure.json index b3c0d94890..b6be5d0f9b 100644 --- a/erpnext/quality_management/doctype/quality_procedure/quality_procedure.json +++ b/erpnext/quality_management/doctype/quality_procedure/quality_procedure.json @@ -18,11 +18,11 @@ ], "fields": [ { + "depends_on": "eval: doc.is_group == 0", "fieldname": "parent_quality_procedure", "fieldtype": "Link", "label": "Parent Procedure", - "options": "Quality Procedure", - "read_only": 1 + "options": "Quality Procedure" }, { "default": "0", @@ -73,7 +73,7 @@ ], "is_tree": 1, "links": [], - "modified": "2020-06-17 17:25:03.434953", + "modified": "2020-09-22 14:22:49.874515", "modified_by": "Administrator", "module": "Quality Management", "name": "Quality Procedure", From 2bf4245334530fffaf57d1c4f9f16294dc4a77d5 Mon Sep 17 00:00:00 2001 From: Deepesh Garg Date: Wed, 23 Sep 2020 12:50:06 +0530 Subject: [PATCH 02/49] fix: Conversion factor fixes in Stock Entry --- erpnext/stock/doctype/stock_entry/stock_entry.py | 10 ++++++---- .../doctype/stock_entry_detail/stock_entry_detail.json | 8 +++----- 2 files changed, 9 insertions(+), 9 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index a92d04ff8c..80d82e22e0 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -96,7 +96,7 @@ class StockEntry(StockController): self.update_quality_inspection() if self.work_order and self.purpose == "Manufacture": self.update_so_in_serial_number() - + if self.purpose == 'Material Transfer' and self.add_to_transit: self.set_material_request_transfer_status('In Transit') if self.purpose == 'Material Transfer' and self.outgoing_stock_entry: @@ -205,7 +205,9 @@ class StockEntry(StockController): for f in ("uom", "stock_uom", "description", "item_name", "expense_account", "cost_center", "conversion_factor"): - if f in ["stock_uom", "conversion_factor"] or not item.get(f): + if f == "stock_uom" or not item.get(f): + item.set(f, item_details.get(f)) + if f == 'conversion_factor' and item.uom == item_details.get('stock_uom'): item.set(f, item_details.get(f)) if not item.transfer_qty and item.qty: @@ -1370,7 +1372,7 @@ class StockEntry(StockController): if self.outgoing_stock_entry: parent_se = frappe.get_value("Stock Entry", self.outgoing_stock_entry, 'add_to_transit') - for item in self.items: + for item in self.items: material_request = item.material_request or None if self.purpose == "Material Transfer" and material_request not in material_requests: if self.outgoing_stock_entry and parent_se: @@ -1430,7 +1432,7 @@ def make_stock_in_entry(source_name, target_doc=None): if add_to_transit: warehouse = frappe.get_value('Material Request Item', source_doc.material_request_item, 'warehouse') target_doc.t_warehouse = warehouse - + target_doc.s_warehouse = source_doc.t_warehouse target_doc.qty = source_doc.qty - source_doc.transferred_qty diff --git a/erpnext/stock/doctype/stock_entry_detail/stock_entry_detail.json b/erpnext/stock/doctype/stock_entry_detail/stock_entry_detail.json index 7b9c129804..ae2e3a134f 100644 --- a/erpnext/stock/doctype/stock_entry_detail/stock_entry_detail.json +++ b/erpnext/stock/doctype/stock_entry_detail/stock_entry_detail.json @@ -238,7 +238,6 @@ "oldfieldname": "conversion_factor", "oldfieldtype": "Currency", "print_hide": 1, - "read_only": 1, "reqd": 1 }, { @@ -498,15 +497,14 @@ "depends_on": "eval:parent.purpose===\"Repack\" && doc.t_warehouse", "fieldname": "set_basic_rate_manually", "fieldtype": "Check", - "label": "Set Basic Rate Manually", - "show_days": 1, - "show_seconds": 1 + "label": "Set Basic Rate Manually" } ], "idx": 1, + "index_web_pages_for_search": 1, "istable": 1, "links": [], - "modified": "2020-06-08 12:57:03.172887", + "modified": "2020-09-22 17:55:03.384138", "modified_by": "Administrator", "module": "Stock", "name": "Stock Entry Detail", From bd36f2b94d0eb43cbac5f8b2a0c6dbcb51376cf0 Mon Sep 17 00:00:00 2001 From: marination Date: Mon, 28 Sep 2020 15:59:03 +0530 Subject: [PATCH 03/49] feat: Supplier Email Preview in RFQ --- .../request_for_quotation.js | 54 +++++++++++++++++-- .../request_for_quotation.json | 44 +++++++++++++-- .../request_for_quotation.py | 25 +++++++++ .../emails/request_for_quotation.html | 31 +++++++---- 4 files changed, 139 insertions(+), 15 deletions(-) diff --git a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js index 4a937f7f0d..46327574f7 100644 --- a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +++ b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js @@ -22,8 +22,6 @@ frappe.ui.form.on("Request for Quotation",{ }, onload: function(frm) { - frm.add_fetch('email_template', 'response', 'message_for_supplier'); - if(!frm.doc.message_for_supplier) { frm.set_value("message_for_supplier", __("Please supply the specified items at the best possible rates")) } @@ -194,6 +192,56 @@ frappe.ui.form.on("Request for Quotation",{ }); }); dialog.show() + }, + + preview: (frm) => { + let dialog = new frappe.ui.Dialog({ + title: __('Preview Email'), + fields: [ + { + label: __('Supplier'), + fieldtype: 'Select', + fieldname: 'supplier', + options: frm.doc.suppliers.map(row => row.supplier), + reqd: 1 + }, + { + fieldtype: 'Column Break', + fieldname: 'col_break_1', + }, + { + label: __('Subject'), + fieldtype: 'Data', + fieldname: 'subject', + read_only: 1 + }, + { + fieldtype: 'Section Break', + fieldname: 'sec_break_1', + hide_border: 1 + }, + { + label: __('Email'), + fieldtype: 'HTML', + fieldname: 'email_preview', + }, + ] + }); + + dialog.fields_dict['supplier'].df.onchange = () => { + var args = { + 'supplier' : dialog.get_value('supplier'), + 'salutation' : frm.doc.salutation || null, + 'message' : frm.doc.message_for_supplier + } + frm.call('get_supplier_email_preview', args).then(result => { + dialog.fields_dict.email_preview.$wrapper.empty(); + dialog.fields_dict.email_preview.$wrapper.append(result.message); + }); + + } + dialog.set_value("subject", frm.doc.subject); + dialog.show(); } }) @@ -276,7 +324,7 @@ erpnext.buying.RequestforQuotationController = erpnext.buying.BuyingController.e }) }, __("Get items from")); // Get items from Opportunity - this.frm.add_custom_button(__('Opportunity'), + this.frm.add_custom_button(__('Opportunity'), function() { erpnext.utils.map_current_doc({ method: "erpnext.crm.doctype.opportunity.opportunity.make_request_for_quotation", diff --git a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.json b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.json index 5cd8e6f4fa..715556c204 100644 --- a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.json +++ b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.json @@ -1,5 +1,5 @@ { - "actions": "", + "actions": [], "allow_import": 1, "autoname": "naming_series:", "creation": "2016-02-25 01:24:07.224790", @@ -19,7 +19,12 @@ "items", "link_to_mrs", "supplier_response_section", + "salutation", "email_template", + "col_break_email_1", + "subject", + "preview", + "sec_break_email_2", "message_for_supplier", "terms_section_break", "tc_name", @@ -126,8 +131,10 @@ "label": "Link to Material Requests" }, { + "depends_on": "eval:!doc.__islocal", "fieldname": "supplier_response_section", - "fieldtype": "Section Break" + "fieldtype": "Section Break", + "label": "Email Details" }, { "fieldname": "email_template", @@ -137,6 +144,8 @@ "print_hide": 1 }, { + "fetch_from": "email_template.response", + "fetch_if_empty": 1, "fieldname": "message_for_supplier", "fieldtype": "Text Editor", "in_list_view": 1, @@ -230,12 +239,41 @@ "options": "Request for Quotation", "print_hide": 1, "read_only": 1 + }, + { + "fetch_from": "email_template.subject", + "fetch_if_empty": 1, + "fieldname": "subject", + "fieldtype": "Data", + "label": "Subject" + }, + { + "description": "Select a greeting for the receiver. E.g. Mr., Ms., etc.", + "fieldname": "salutation", + "fieldtype": "Link", + "label": "Salutation", + "options": "Salutation" + }, + { + "fieldname": "col_break_email_1", + "fieldtype": "Column Break" + }, + { + "fieldname": "preview", + "fieldtype": "Button", + "label": "Preview Email" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "sec_break_email_2", + "fieldtype": "Section Break", + "hide_border": 1 } ], "icon": "fa fa-shopping-cart", "is_submittable": 1, "links": [], - "modified": "2020-06-25 14:37:21.140194", + "modified": "2020-09-28 14:25:31.357817", "modified_by": "Administrator", "module": "Buying", "name": "Request for Quotation", diff --git a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py index b54a585b97..c3f69d7b05 100644 --- a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +++ b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py @@ -62,6 +62,31 @@ class RequestforQuotation(BuyingController): def on_cancel(self): frappe.db.set(self, 'status', 'Cancelled') + def get_supplier_email_preview(self, args): + rfq_suppliers = list(filter(lambda row: row.supplier == args.get('supplier'), self.suppliers)) + rfq_supplier = rfq_suppliers[0].as_dict() + + update_password_link = self.update_supplier_contact(rfq_supplier, self.get_link()) + + full_name = get_user_fullname(frappe.session['user']) + if full_name == "Guest": + full_name = "Administrator" + + args = { + 'update_password_link': update_password_link, + 'message': frappe.render_template(self.message_for_supplier, args), + 'rfq_link': self.get_link(), + 'user_fullname': full_name, + 'supplier': rfq_supplier.supplier_name, + 'salutation': args.get('salutation') + } + args.update(self.as_dict()) + + subject = _("Request for Quotation") + template = "templates/emails/request_for_quotation.html" + message = frappe.get_template(template).render(args) + return message + def send_to_supplier(self): for rfq_supplier in self.suppliers: if rfq_supplier.send_email: diff --git a/erpnext/templates/emails/request_for_quotation.html b/erpnext/templates/emails/request_for_quotation.html index b4dfb88c67..414dd0f742 100644 --- a/erpnext/templates/emails/request_for_quotation.html +++ b/erpnext/templates/emails/request_for_quotation.html @@ -1,11 +1,24 @@ -

{{_("Request for Quotation")}}

+

{{_("Request for Quotation")}}

+

{{_("Dear")}} {{ salutation if salutation else ''}} {{ supplier }},

{{ message }}

-{% if update_password_link %} -

{{_("Please click on the following link to set your new password")}}:

-

{{ update_password_link }}

-{% else %} +

{{_("The request for quotation can be accessed by clicking on the following link")}}:

-

Submit your Quotation

-{% endif %} -

{{_("Thank you")}},
-{{ user_fullname }}

+

+ +


+ +

{{_("Regards")}},
+{{ user_fullname }}


+ +{% if update_password_link %} +
+

{{_("Please click on the following link to set your new password")}}:

+

+ +

+
+{% endif %} \ No newline at end of file From 056c86033dead9067d13f4852747bdbed289ba64 Mon Sep 17 00:00:00 2001 From: marination Date: Mon, 28 Sep 2020 17:42:22 +0530 Subject: [PATCH 04/49] fix: Reuse function to render email preview - Reused `supplier_rfq_mail` to render preview - Print hid Salutation and Subject - Completely dynamic greeting --- .../request_for_quotation.js | 11 +++--- .../request_for_quotation.json | 9 +++-- .../request_for_quotation.py | 36 ++++++++----------- .../emails/request_for_quotation.html | 10 +++--- 4 files changed, 29 insertions(+), 37 deletions(-) diff --git a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js index 46327574f7..880a4cdf42 100644 --- a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +++ b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js @@ -213,7 +213,8 @@ frappe.ui.form.on("Request for Quotation",{ label: __('Subject'), fieldtype: 'Data', fieldname: 'subject', - read_only: 1 + read_only: 1, + depends_on: 'subject' }, { fieldtype: 'Section Break', @@ -229,12 +230,8 @@ frappe.ui.form.on("Request for Quotation",{ }); dialog.fields_dict['supplier'].df.onchange = () => { - var args = { - 'supplier' : dialog.get_value('supplier'), - 'salutation' : frm.doc.salutation || null, - 'message' : frm.doc.message_for_supplier - } - frm.call('get_supplier_email_preview', args).then(result => { + var supplier = dialog.get_value('supplier'); + frm.call('get_supplier_email_preview', {supplier: supplier}).then(result => { dialog.fields_dict.email_preview.$wrapper.empty(); dialog.fields_dict.email_preview.$wrapper.append(result.message); }); diff --git a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.json b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.json index 715556c204..7e5650f670 100644 --- a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.json +++ b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.json @@ -245,14 +245,17 @@ "fetch_if_empty": 1, "fieldname": "subject", "fieldtype": "Data", - "label": "Subject" + "label": "Subject", + "print_hide": 1 }, { "description": "Select a greeting for the receiver. E.g. Mr., Ms., etc.", "fieldname": "salutation", "fieldtype": "Link", "label": "Salutation", - "options": "Salutation" + "no_copy": 1, + "options": "Salutation", + "print_hide": 1 }, { "fieldname": "col_break_email_1", @@ -273,7 +276,7 @@ "icon": "fa fa-shopping-cart", "is_submittable": 1, "links": [], - "modified": "2020-09-28 14:25:31.357817", + "modified": "2020-09-28 17:37:10.313350", "modified_by": "Administrator", "module": "Buying", "name": "Request for Quotation", diff --git a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py index c3f69d7b05..5c9b91eea4 100644 --- a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +++ b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py @@ -62,29 +62,15 @@ class RequestforQuotation(BuyingController): def on_cancel(self): frappe.db.set(self, 'status', 'Cancelled') - def get_supplier_email_preview(self, args): - rfq_suppliers = list(filter(lambda row: row.supplier == args.get('supplier'), self.suppliers)) - rfq_supplier = rfq_suppliers[0].as_dict() + def get_supplier_email_preview(self, supplier): + # Returns formatted email preview as string + rfq_suppliers = list(filter(lambda row: row.supplier == supplier, self.suppliers)) + rfq_supplier = rfq_suppliers[0] update_password_link = self.update_supplier_contact(rfq_supplier, self.get_link()) - full_name = get_user_fullname(frappe.session['user']) - if full_name == "Guest": - full_name = "Administrator" + message = self.supplier_rfq_mail(rfq_supplier, update_password_link, self.get_link(), True) - args = { - 'update_password_link': update_password_link, - 'message': frappe.render_template(self.message_for_supplier, args), - 'rfq_link': self.get_link(), - 'user_fullname': full_name, - 'supplier': rfq_supplier.supplier_name, - 'salutation': args.get('salutation') - } - args.update(self.as_dict()) - - subject = _("Request for Quotation") - template = "templates/emails/request_for_quotation.html" - message = frappe.get_template(template).render(args) return message def send_to_supplier(self): @@ -154,7 +140,7 @@ class RequestforQuotation(BuyingController): return user, update_password_link - def supplier_rfq_mail(self, data, update_password_link, rfq_link): + def supplier_rfq_mail(self, data, update_password_link, rfq_link, preview=False): full_name = get_user_fullname(frappe.session['user']) if full_name == "Guest": full_name = "Administrator" @@ -163,13 +149,19 @@ class RequestforQuotation(BuyingController): 'update_password_link': update_password_link, 'message': frappe.render_template(self.message_for_supplier, data.as_dict()), 'rfq_link': rfq_link, - 'user_fullname': full_name + 'user_fullname': full_name, + 'supplier_name' : data.get('supplier_name'), + 'supplier_salutation' : self.salutation or 'Dear Mx.', } - subject = _("Request for Quotation") + subject = self.subject or _("Request for Quotation") template = "templates/emails/request_for_quotation.html" sender = frappe.session.user not in STANDARD_USERS and frappe.session.user or None message = frappe.get_template(template).render(args) + + if preview: + return message + attachments = self.get_attachments() self.send_email(data, sender, subject, message, attachments) diff --git a/erpnext/templates/emails/request_for_quotation.html b/erpnext/templates/emails/request_for_quotation.html index 414dd0f742..216bd81d35 100644 --- a/erpnext/templates/emails/request_for_quotation.html +++ b/erpnext/templates/emails/request_for_quotation.html @@ -1,11 +1,11 @@

{{_("Request for Quotation")}}

-

{{_("Dear")}} {{ salutation if salutation else ''}} {{ supplier }},

+

{{ supplier_salutation if supplier_salutation else ''}} {{ supplier_name }},

{{ message }}

-

{{_("The request for quotation can be accessed by clicking on the following link")}}:

+

{{_("The Request for Quotation can be accessed by clicking on the following button")}}:


@@ -14,10 +14,10 @@ {% if update_password_link %}
-

{{_("Please click on the following link to set your new password")}}:

+

{{_("Please click on the following button to set your new password")}}:

From f91122887136156f0fa48e9dd81f96ffc35d2fd9 Mon Sep 17 00:00:00 2001 From: marination Date: Mon, 28 Sep 2020 20:21:44 +0530 Subject: [PATCH 05/49] fix: UX and code cleanup - Added a small note in muted text at bottom of Dialog - Dont call 'update_supplier_contact' at the time of preview, its a dummy view anyway - Renamed `update_contact_of_supplier` to `link_supplier_contact` - On sending mail, new users and contacts that were created get updated in RFQ doc - Added docstrings to functions --- .../request_for_quotation.js | 15 +- .../request_for_quotation.py | 33 +- .../request_for_quotation_supplier.json | 442 ++++-------------- 3 files changed, 135 insertions(+), 355 deletions(-) diff --git a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js index 880a4cdf42..9b9104d47e 100644 --- a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +++ b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js @@ -224,8 +224,17 @@ frappe.ui.form.on("Request for Quotation",{ { label: __('Email'), fieldtype: 'HTML', - fieldname: 'email_preview', + fieldname: 'email_preview' }, + { + fieldtype: 'Section Break', + fieldname: 'sec_break_2' + }, + { + label: __('Note'), + fieldtype: 'HTML', + fieldname: 'note' + } ] }); @@ -237,6 +246,10 @@ frappe.ui.form.on("Request for Quotation",{ }); } + + dialog.fields_dict.note.$wrapper.append(`

This is a preview of the email to be sent. A PDF of this document will + automatically be attached with the mail.

`); + dialog.set_value("subject", frm.doc.subject); dialog.show(); } diff --git a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py index 5c9b91eea4..84ddac4361 100644 --- a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +++ b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py @@ -51,7 +51,7 @@ class RequestforQuotation(BuyingController): def validate_email_id(self, args): if not args.email_id: - frappe.throw(_("Row {0}: For Supplier {0}, Email Address is Required to Send Email").format(args.idx, args.supplier)) + frappe.throw(_("Row {0}: For Supplier {1}, Email Address is Required to send an email").format(args.idx, frappe.bold(args.supplier))) def on_submit(self): frappe.db.set(self, 'status', 'Submitted') @@ -63,27 +63,36 @@ class RequestforQuotation(BuyingController): frappe.db.set(self, 'status', 'Cancelled') def get_supplier_email_preview(self, supplier): - # Returns formatted email preview as string + '''Returns formatted email preview as string''' rfq_suppliers = list(filter(lambda row: row.supplier == supplier, self.suppliers)) rfq_supplier = rfq_suppliers[0] - update_password_link = self.update_supplier_contact(rfq_supplier, self.get_link()) + self.validate_email_id(rfq_supplier) + + update_password_link = "" + if not frappe.db.exists("User", rfq_supplier.email_id): + # user doesnt exist + # so (dummy) update password button, should be included for preview + # as it will be included in actual mail, on user creation + update_password_link = "#" message = self.supplier_rfq_mail(rfq_supplier, update_password_link, self.get_link(), True) return message def send_to_supplier(self): + '''Sends RFQ mail to involved suppliers''' for rfq_supplier in self.suppliers: if rfq_supplier.send_email: self.validate_email_id(rfq_supplier) # make new user if required - update_password_link = self.update_supplier_contact(rfq_supplier, self.get_link()) + update_password_link, contact = self.update_supplier_contact(rfq_supplier, self.get_link()) self.update_supplier_part_no(rfq_supplier) self.supplier_rfq_mail(rfq_supplier, update_password_link, self.get_link()) rfq_supplier.email_sent = 1 + rfq_supplier.contact = contact rfq_supplier.save() def get_link(self): @@ -98,18 +107,22 @@ class RequestforQuotation(BuyingController): def update_supplier_contact(self, rfq_supplier, link): '''Create a new user for the supplier if not set in contact''' - update_password_link = '' + update_password_link, contact = '', '' if frappe.db.exists("User", rfq_supplier.email_id): user = frappe.get_doc("User", rfq_supplier.email_id) else: user, update_password_link = self.create_user(rfq_supplier, link) - self.update_contact_of_supplier(rfq_supplier, user) + contact = self.link_supplier_contact(rfq_supplier, user) - return update_password_link + return update_password_link, contact - def update_contact_of_supplier(self, rfq_supplier, user): + def link_supplier_contact(self, rfq_supplier, user): + ''' + Create a new contact if no contact against Supplier. + If Contact exists, check if email and user id set + ''' if rfq_supplier.contact: contact = frappe.get_doc("Contact", rfq_supplier.contact) else: @@ -126,6 +139,10 @@ class RequestforQuotation(BuyingController): contact.save(ignore_permissions=True) + if not rfq_supplier.contact: + # return contact to later update, RFQ supplier row's contact + return contact.name + def create_user(self, rfq_supplier, link): user = frappe.get_doc({ 'doctype': 'User', diff --git a/erpnext/buying/doctype/request_for_quotation_supplier/request_for_quotation_supplier.json b/erpnext/buying/doctype/request_for_quotation_supplier/request_for_quotation_supplier.json index 61ad336574..ce9316f987 100644 --- a/erpnext/buying/doctype/request_for_quotation_supplier/request_for_quotation_supplier.json +++ b/erpnext/buying/doctype/request_for_quotation_supplier/request_for_quotation_supplier.json @@ -1,362 +1,112 @@ { - "allow_copy": 0, - "allow_guest_to_view": 0, - "allow_import": 0, - "allow_rename": 0, - "beta": 0, - "creation": "2016-03-29 05:59:11.896885", - "custom": 0, - "docstatus": 0, - "doctype": "DocType", - "document_type": "", - "editable_grid": 1, - "engine": "InnoDB", + "actions": [], + "creation": "2016-03-29 05:59:11.896885", + "doctype": "DocType", + "editable_grid": 1, + "engine": "InnoDB", + "field_order": [ + "send_email", + "email_sent", + "supplier", + "contact", + "no_quote", + "quote_status", + "column_break_3", + "supplier_name", + "email_id", + "download_pdf" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "1", - "fieldname": "send_email", - "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": "Send 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 - }, + "allow_on_submit": 1, + "default": "1", + "fieldname": "send_email", + "fieldtype": "Check", + "label": "Send Email" + }, { - "allow_bulk_edit": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "0", - "depends_on": "eval:doc.docstatus >= 1", - "fieldname": "email_sent", - "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": "Email Sent", - "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 - }, + "allow_on_submit": 1, + "default": "0", + "depends_on": "eval:doc.docstatus >= 1", + "fieldname": "email_sent", + "fieldtype": "Check", + "label": "Email Sent", + "no_copy": 1, + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 4, - "fieldname": "supplier", - "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": "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": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "columns": 4, + "fieldname": "supplier", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Supplier", + "options": "Supplier", + "reqd": 1 + }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 3, - "fieldname": "contact", - "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": "Contact", - "length": 0, - "no_copy": 1, - "options": "Contact", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "allow_on_submit": 1, + "columns": 3, + "fieldname": "contact", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Contact", + "no_copy": 1, + "options": "Contact" + }, { - "allow_bulk_edit": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.docstatus >= 1 && doc.quote_status != 'Received'", - "fieldname": "no_quote", - "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": "No Quote", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "allow_on_submit": 1, + "default": "0", + "depends_on": "eval:doc.docstatus >= 1 && doc.quote_status != 'Received'", + "fieldname": "no_quote", + "fieldtype": "Check", + "label": "No Quote" + }, { - "allow_bulk_edit": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.docstatus >= 1 && !doc.no_quote", - "fieldname": "quote_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": "Quote Status", - "length": 0, - "no_copy": 0, - "options": "Pending\nReceived\nNo Quote", - "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_on_submit": 1, + "depends_on": "eval:doc.docstatus >= 1 && !doc.no_quote", + "fieldname": "quote_status", + "fieldtype": "Select", + "label": "Quote Status", + "options": "Pending\nReceived\nNo Quote", + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break_3", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "column_break_3", + "fieldtype": "Column Break" + }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 0, + "bold": 1, "fetch_from": "supplier.supplier_name", - "fieldname": "supplier_name", - "fieldtype": "Read Only", - "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": "Supplier Name", - "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 - }, + "fieldname": "supplier_name", + "fieldtype": "Read Only", + "in_global_search": 1, + "label": "Supplier Name" + }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 3, + "columns": 3, "fetch_from": "contact.email_id", - "fieldname": "email_id", - "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": "Email Id", - "length": 0, - "no_copy": 1, - "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 - }, + "fieldname": "email_id", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Email Id", + "no_copy": 1 + }, { - "allow_bulk_edit": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "download_pdf", - "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": "Download PDF", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "allow_on_submit": 1, + "fieldname": "download_pdf", + "fieldtype": "Button", + "label": "Download PDF" } - ], - "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-05-16 22:43:30.212408", - "modified_by": "Administrator", - "module": "Buying", - "name": "Request for Quotation Supplier", - "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": 1, - "track_seen": 0 + ], + "istable": 1, + "links": [], + "modified": "2020-09-28 19:31:11.855588", + "modified_by": "Administrator", + "module": "Buying", + "name": "Request for Quotation Supplier", + "owner": "Administrator", + "permissions": [], + "sort_field": "modified", + "sort_order": "DESC", + "track_changes": 1 } \ No newline at end of file From a6ea86432ed4854a99c2d52bdf3ac0b305bb2571 Mon Sep 17 00:00:00 2001 From: marination Date: Mon, 28 Sep 2020 21:05:11 +0530 Subject: [PATCH 06/49] fix: Skip Update Password in Preview - dont show update password button in preview, its for the suppliers mail only - modified docstrings - update supplier row contact only if None --- .../request_for_quotation.js | 4 ++-- .../request_for_quotation.py | 21 ++++++------------- 2 files changed, 8 insertions(+), 17 deletions(-) diff --git a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js index 9b9104d47e..14747b0abb 100644 --- a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +++ b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js @@ -247,8 +247,8 @@ frappe.ui.form.on("Request for Quotation",{ } - dialog.fields_dict.note.$wrapper.append(`

This is a preview of the email to be sent. A PDF of this document will - automatically be attached with the mail.

`); + dialog.fields_dict.note.$wrapper.append(`

This is a preview of the email to be sent. A PDF of the document will + automatically be attached with the email.

`); dialog.set_value("subject", frm.doc.subject); dialog.show(); diff --git a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py index 84ddac4361..bef64b0e8d 100644 --- a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +++ b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py @@ -63,25 +63,18 @@ class RequestforQuotation(BuyingController): frappe.db.set(self, 'status', 'Cancelled') def get_supplier_email_preview(self, supplier): - '''Returns formatted email preview as string''' + """Returns formatted email preview as string""" rfq_suppliers = list(filter(lambda row: row.supplier == supplier, self.suppliers)) rfq_supplier = rfq_suppliers[0] self.validate_email_id(rfq_supplier) - update_password_link = "" - if not frappe.db.exists("User", rfq_supplier.email_id): - # user doesnt exist - # so (dummy) update password button, should be included for preview - # as it will be included in actual mail, on user creation - update_password_link = "#" - - message = self.supplier_rfq_mail(rfq_supplier, update_password_link, self.get_link(), True) + message = self.supplier_rfq_mail(rfq_supplier, '', self.get_link(), True) return message def send_to_supplier(self): - '''Sends RFQ mail to involved suppliers''' + """Sends RFQ mail to involved suppliers""" for rfq_supplier in self.suppliers: if rfq_supplier.send_email: self.validate_email_id(rfq_supplier) @@ -92,7 +85,8 @@ class RequestforQuotation(BuyingController): self.update_supplier_part_no(rfq_supplier) self.supplier_rfq_mail(rfq_supplier, update_password_link, self.get_link()) rfq_supplier.email_sent = 1 - rfq_supplier.contact = contact + if not rfq_supplier.contact: + rfq_supplier.contact = contact rfq_supplier.save() def get_link(self): @@ -119,10 +113,7 @@ class RequestforQuotation(BuyingController): return update_password_link, contact def link_supplier_contact(self, rfq_supplier, user): - ''' - Create a new contact if no contact against Supplier. - If Contact exists, check if email and user id set - ''' + """If no Contact, create a new contact against Supplier. If Contact exists, check if email and user id set""" if rfq_supplier.contact: contact = frappe.get_doc("Contact", rfq_supplier.contact) else: From 629fa57f9d81d64051da7b799b3b2f601e9ecb76 Mon Sep 17 00:00:00 2001 From: marination Date: Mon, 28 Sep 2020 21:17:49 +0530 Subject: [PATCH 07/49] fix: Remove unneccessary div --- erpnext/templates/emails/request_for_quotation.html | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/templates/emails/request_for_quotation.html b/erpnext/templates/emails/request_for_quotation.html index 216bd81d35..812939a553 100644 --- a/erpnext/templates/emails/request_for_quotation.html +++ b/erpnext/templates/emails/request_for_quotation.html @@ -13,12 +13,12 @@ {{ user_fullname }}


{% if update_password_link %} -
+

{{_("Please click on the following button to set your new password")}}:

-
+ {% endif %} \ No newline at end of file From 65fc48da25439dc414c1cfbaeef625eea1b2e7a7 Mon Sep 17 00:00:00 2001 From: marination Date: Tue, 29 Sep 2020 12:46:19 +0530 Subject: [PATCH 08/49] fix: Email Template and Codacy - Email Preview works well with email template - Codacy for docstrings --- .../request_for_quotation.py | 16 ++++++++++++---- 1 file changed, 12 insertions(+), 4 deletions(-) diff --git a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py index bef64b0e8d..8f946a7c51 100644 --- a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +++ b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py @@ -63,7 +63,7 @@ class RequestforQuotation(BuyingController): frappe.db.set(self, 'status', 'Cancelled') def get_supplier_email_preview(self, supplier): - """Returns formatted email preview as string""" + """Returns formatted email preview as string.""" rfq_suppliers = list(filter(lambda row: row.supplier == supplier, self.suppliers)) rfq_supplier = rfq_suppliers[0] @@ -74,7 +74,7 @@ class RequestforQuotation(BuyingController): return message def send_to_supplier(self): - """Sends RFQ mail to involved suppliers""" + """Sends RFQ mail to involved suppliers.""" for rfq_supplier in self.suppliers: if rfq_supplier.send_email: self.validate_email_id(rfq_supplier) @@ -113,7 +113,7 @@ class RequestforQuotation(BuyingController): return update_password_link, contact def link_supplier_contact(self, rfq_supplier, user): - """If no Contact, create a new contact against Supplier. If Contact exists, check if email and user id set""" + """If no Contact, create a new contact against Supplier. If Contact exists, check if email and user id set.""" if rfq_supplier.contact: contact = frappe.get_doc("Contact", rfq_supplier.contact) else: @@ -153,9 +153,17 @@ class RequestforQuotation(BuyingController): if full_name == "Guest": full_name = "Administrator" + # send document dict and some important data from suppliers row + # to render message_for_supplier from any template + doc_args = self.as_dict() + doc_args.update({ + 'supplier': data.get('supplier'), + 'supplier_name': data.get('supplier_name') + }) + args = { 'update_password_link': update_password_link, - 'message': frappe.render_template(self.message_for_supplier, data.as_dict()), + 'message': frappe.render_template(self.message_for_supplier, doc_args), 'rfq_link': rfq_link, 'user_fullname': full_name, 'supplier_name' : data.get('supplier_name'), From 29d7528a956015070c710fa90cd42cd3c0828031 Mon Sep 17 00:00:00 2001 From: marination Date: Thu, 1 Oct 2020 14:55:21 +0530 Subject: [PATCH 09/49] fix: Hide Preview Email button on submitted doc --- .../doctype/request_for_quotation/request_for_quotation.json | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.json b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.json index 7e5650f670..5f01f6e24c 100644 --- a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.json +++ b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.json @@ -262,6 +262,7 @@ "fieldtype": "Column Break" }, { + "depends_on": "eval:!doc.docstatus==1", "fieldname": "preview", "fieldtype": "Button", "label": "Preview Email" @@ -276,7 +277,7 @@ "icon": "fa fa-shopping-cart", "is_submittable": 1, "links": [], - "modified": "2020-09-28 17:37:10.313350", + "modified": "2020-10-01 14:54:50.888729", "modified_by": "Administrator", "module": "Buying", "name": "Request for Quotation", From 528a75ae9b6fd627ab9646617bfb93335a518b4c Mon Sep 17 00:00:00 2001 From: Anupam Date: Tue, 13 Oct 2020 11:46:52 +0530 Subject: [PATCH 10/49] fix: review changes --- .../doctype/quality_procedure/quality_procedure.json | 3 +-- .../doctype/quality_procedure/quality_procedure.py | 4 +++- 2 files changed, 4 insertions(+), 3 deletions(-) diff --git a/erpnext/quality_management/doctype/quality_procedure/quality_procedure.json b/erpnext/quality_management/doctype/quality_procedure/quality_procedure.json index b6be5d0f9b..1ed921cc76 100644 --- a/erpnext/quality_management/doctype/quality_procedure/quality_procedure.json +++ b/erpnext/quality_management/doctype/quality_procedure/quality_procedure.json @@ -18,7 +18,6 @@ ], "fields": [ { - "depends_on": "eval: doc.is_group == 0", "fieldname": "parent_quality_procedure", "fieldtype": "Link", "label": "Parent Procedure", @@ -73,7 +72,7 @@ ], "is_tree": 1, "links": [], - "modified": "2020-09-22 14:22:49.874515", + "modified": "2020-10-13 11:46:07.744194", "modified_by": "Administrator", "module": "Quality Management", "name": "Quality Procedure", diff --git a/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py b/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py index 1952e57867..797c26b64c 100644 --- a/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py +++ b/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py @@ -4,7 +4,7 @@ from __future__ import unicode_literals import frappe -from frappe.utils.nestedset import NestedSet +from frappe.utils.nestedset import NestedSet, rebuild_tree from frappe import _ class QualityProcedure(NestedSet): @@ -42,6 +42,8 @@ class QualityProcedure(NestedSet): doc.save(ignore_permissions=True) def set_parent(self): + rebuild_tree('Quality Procedure', 'parent_quality_procedure') + for process in self.processes: # Set parent for only those children who don't have a parent parent_quality_procedure = frappe.db.get_value("Quality Procedure", process.procedure, "parent_quality_procedure") From 577a7fe01d7ed0d69b54fcfa605ee6104b5a10bc Mon Sep 17 00:00:00 2001 From: Saqib Date: Wed, 14 Oct 2020 15:44:30 +0530 Subject: [PATCH 11/49] fix: stock & account balance difference in fraction (#23635) --- erpnext/accounts/general_ledger.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/general_ledger.py b/erpnext/accounts/general_ledger.py index c12e006d2b..9a091bf57b 100644 --- a/erpnext/accounts/general_ledger.py +++ b/erpnext/accounts/general_ledger.py @@ -171,7 +171,7 @@ def validate_account_for_perpetual_inventory(gl_map): frappe.throw(_("Account: {0} can only be updated via Stock Transactions") .format(account), StockAccountInvalidTransaction) - elif account_bal != stock_bal: + elif abs(account_bal - stock_bal) > 0.1: precision = get_field_precision(frappe.get_meta("GL Entry").get_field("debit"), currency=frappe.get_cached_value('Company', gl_map[0].company, "default_currency")) From 9e08b21e0bb24abe6b6fd24240e4323ffc5cd1c2 Mon Sep 17 00:00:00 2001 From: Afshan <33727827+AfshanKhan@users.noreply.github.com> Date: Wed, 14 Oct 2020 15:44:52 +0530 Subject: [PATCH 12/49] fix: removing unused imports (#23633) --- erpnext/projects/report/billing_summary.py | 1 - 1 file changed, 1 deletion(-) diff --git a/erpnext/projects/report/billing_summary.py b/erpnext/projects/report/billing_summary.py index 0b44e9d112..6c3c05f3b6 100644 --- a/erpnext/projects/report/billing_summary.py +++ b/erpnext/projects/report/billing_summary.py @@ -6,7 +6,6 @@ from __future__ import unicode_literals import frappe from frappe import _ from frappe.utils import time_diff_in_hours, flt -from frappe.model.meta import get_field_precision def get_columns(): return [ From 346ca568b71079ccd47da28536cebc539bf60968 Mon Sep 17 00:00:00 2001 From: Abhishek Balam Date: Wed, 14 Oct 2020 18:11:04 +0530 Subject: [PATCH 13/49] fix: set company link in address when is_your_company_address is set --- erpnext/accounts/custom/address.json | 170 +++++++++++++++++++-------- erpnext/hooks.py | 1 + erpnext/public/js/address.js | 26 ++++ 3 files changed, 146 insertions(+), 51 deletions(-) create mode 100644 erpnext/public/js/address.js diff --git a/erpnext/accounts/custom/address.json b/erpnext/accounts/custom/address.json index 08f972d13b..5c921da9b7 100644 --- a/erpnext/accounts/custom/address.json +++ b/erpnext/accounts/custom/address.json @@ -1,58 +1,126 @@ { "custom_fields": [ { - "_assign": null, - "_comments": null, - "_liked_by": null, - "_user_tags": null, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "collapsible_depends_on": null, - "columns": 0, - "creation": "2018-12-28 22:29:21.828090", - "default": null, - "depends_on": null, - "description": null, - "docstatus": 0, - "dt": "Address", - "fetch_from": null, - "fieldname": "tax_category", - "fieldtype": "Link", - "hidden": 0, - "idx": 14, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "insert_after": "fax", - "label": "Tax Category", - "modified": "2018-12-28 22:29:21.828090", - "modified_by": "Administrator", - "name": "Address-tax_category", - "no_copy": 0, - "options": "Tax Category", - "owner": "Administrator", - "parent": null, - "parentfield": null, - "parenttype": null, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "print_width": null, - "read_only": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "translatable": 0, - "unique": 0, + "_assign": null, + "_comments": null, + "_liked_by": null, + "_user_tags": null, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "collapsible_depends_on": null, + "columns": 0, + "creation": "2018-12-28 22:29:21.828090", + "default": null, + "depends_on": null, + "description": null, + "docstatus": 0, + "dt": "Address", + "fetch_from": null, + "fetch_if_empty": 0, + "fieldname": "tax_category", + "fieldtype": "Link", + "hidden": 0, + "hide_border": 0, + "hide_days": 0, + "hide_seconds": 0, + "idx": 15, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_preview": 0, + "in_standard_filter": 0, + "insert_after": "fax", + "label": "Tax Category", + "length": 0, + "mandatory_depends_on": null, + "modified": "2018-12-28 22:29:21.828090", + "modified_by": "Administrator", + "name": "Address-tax_category", + "no_copy": 0, + "options": "Tax Category", + "owner": "Administrator", + "parent": null, + "parentfield": null, + "parenttype": null, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "print_width": null, + "read_only": 0, + "read_only_depends_on": null, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "translatable": 0, + "unique": 0, + "width": null + }, + { + "_assign": null, + "_comments": null, + "_liked_by": null, + "_user_tags": null, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "collapsible_depends_on": null, + "columns": 0, + "creation": "2020-10-14 17:41:40.878179", + "default": "0", + "depends_on": null, + "description": null, + "docstatus": 0, + "dt": "Address", + "fetch_from": null, + "fetch_if_empty": 0, + "fieldname": "is_your_company_address", + "fieldtype": "Check", + "hidden": 0, + "hide_border": 0, + "hide_days": 0, + "hide_seconds": 0, + "idx": 20, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_preview": 0, + "in_standard_filter": 0, + "insert_after": "linked_with", + "label": "Is Your Company Address", + "length": 0, + "mandatory_depends_on": null, + "modified": "2020-10-14 17:41:40.878179", + "modified_by": "Administrator", + "name": "Address-is_your_company_address", + "no_copy": 0, + "options": null, + "owner": "Administrator", + "parent": null, + "parentfield": null, + "parenttype": null, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "print_width": null, + "read_only": 0, + "read_only_depends_on": null, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "translatable": 0, + "unique": 0, "width": null } - ], - "custom_perms": [], - "doctype": "Address", - "property_setters": [], + ], + "custom_perms": [], + "doctype": "Address", + "property_setters": [], "sync_on_migrate": 1 } \ No newline at end of file diff --git a/erpnext/hooks.py b/erpnext/hooks.py index cf1d69f914..e47e460586 100644 --- a/erpnext/hooks.py +++ b/erpnext/hooks.py @@ -21,6 +21,7 @@ web_include_js = "assets/js/erpnext-web.min.js" web_include_css = "assets/css/erpnext-web.css" doctype_js = { + "Address": "public/js/address.js", "Communication": "public/js/communication.js", "Event": "public/js/event.js", "Newsletter": "public/js/newsletter.js" diff --git a/erpnext/public/js/address.js b/erpnext/public/js/address.js new file mode 100644 index 0000000000..1563ec6f20 --- /dev/null +++ b/erpnext/public/js/address.js @@ -0,0 +1,26 @@ +// Copyright (c) 2016, Frappe Technologies and contributors +// For license information, please see license.txt + +frappe.ui.form.on("Address", { + is_your_company_address: function(frm) { + if(frm.doc.is_your_company_address){ + frm.add_child('links', { + link_doctype: 'Company', + link_name: frappe.defaults.get_user_default('Company') + }); + frm.fields_dict.links.grid.get_field('link_doctype').get_query = function() { + return { + filters: { + name: 'Company' + } + } + } + frm.refresh_field('links'); + } + else{ + frm.fields_dict.links.grid.get_field('link_doctype').get_query = null; + frm.clear_table('links'); + } + frm.refresh_field('links'); + } +}); From 38b26c8f3e7c8a53661a5a3b8ff02a9cbd83fdfa Mon Sep 17 00:00:00 2001 From: Abhishek Balam Date: Wed, 14 Oct 2020 18:24:51 +0530 Subject: [PATCH 14/49] fix: added semicolons --- erpnext/public/js/address.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/public/js/address.js b/erpnext/public/js/address.js index 1563ec6f20..1176075b39 100644 --- a/erpnext/public/js/address.js +++ b/erpnext/public/js/address.js @@ -13,8 +13,8 @@ frappe.ui.form.on("Address", { filters: { name: 'Company' } - } - } + }; + }; frm.refresh_field('links'); } else{ From 6e9e7b4c7a73541419b4653128fe4ee0314087f3 Mon Sep 17 00:00:00 2001 From: Abhishek Balam Date: Wed, 14 Oct 2020 19:31:37 +0530 Subject: [PATCH 15/49] fix: serverside validation overrides --- erpnext/accounts/custom/address.py | 31 ++++++++++++++++++++++++++++++ erpnext/hooks.py | 4 ++++ 2 files changed, 35 insertions(+) create mode 100644 erpnext/accounts/custom/address.py diff --git a/erpnext/accounts/custom/address.py b/erpnext/accounts/custom/address.py new file mode 100644 index 0000000000..433f9b2f42 --- /dev/null +++ b/erpnext/accounts/custom/address.py @@ -0,0 +1,31 @@ +import frappe +from frappe.contacts.doctype.address.address import Address +from frappe.contacts.address_and_contact import set_link_title +from frappe.core.doctype.dynamic_link.dynamic_link import deduplicate_dynamic_links + +class CustomAddress(Address): + def validate(self): + self.link_address() + self.validate_reference() + super(CustomAddress, self).validate_preferred_address() + set_link_title(self) + deduplicate_dynamic_links(self) + + def validate_reference(self): + if self.is_your_company_address: + if not [row for row in self.links if row.link_doctype == "Company"]: + frappe.throw(_("Address needs to be linked to a Company. Please add a row for Company in the Links table below."), + title =_("Company not Linked")) + + def link_address(self): + """Link address based on owner""" + if not self.links and not self.is_your_company_address: + contact_name = frappe.db.get_value("Contact", {"email_id": self.owner}) + if contact_name: + contact = frappe.get_cached_doc('Contact', contact_name) + print('here', str(contact)) + for link in contact.links: + self.append('links', dict(link_doctype=link.link_doctype, link_name=link.link_name)) + return True + + return False \ No newline at end of file diff --git a/erpnext/hooks.py b/erpnext/hooks.py index e47e460586..fb93df8b03 100644 --- a/erpnext/hooks.py +++ b/erpnext/hooks.py @@ -27,6 +27,10 @@ doctype_js = { "Newsletter": "public/js/newsletter.js" } +override_doctype_class = { + 'Address': 'erpnext.accounts.custom.address.CustomAddress' +} + welcome_email = "erpnext.setup.utils.welcome_email" # setup wizard From 2f528c1c73e336cf316b8c6e3e44d9fd2f630411 Mon Sep 17 00:00:00 2001 From: Abhishek Balam Date: Wed, 14 Oct 2020 19:48:57 +0530 Subject: [PATCH 16/49] fix: gettext import and changed function order in address.py --- erpnext/accounts/custom/address.py | 16 +++++++++------- 1 file changed, 9 insertions(+), 7 deletions(-) diff --git a/erpnext/accounts/custom/address.py b/erpnext/accounts/custom/address.py index 433f9b2f42..ac2cb0586d 100644 --- a/erpnext/accounts/custom/address.py +++ b/erpnext/accounts/custom/address.py @@ -1,4 +1,5 @@ import frappe +from frappe import _ from frappe.contacts.doctype.address.address import Address from frappe.contacts.address_and_contact import set_link_title from frappe.core.doctype.dynamic_link.dynamic_link import deduplicate_dynamic_links @@ -11,12 +12,6 @@ class CustomAddress(Address): set_link_title(self) deduplicate_dynamic_links(self) - def validate_reference(self): - if self.is_your_company_address: - if not [row for row in self.links if row.link_doctype == "Company"]: - frappe.throw(_("Address needs to be linked to a Company. Please add a row for Company in the Links table below."), - title =_("Company not Linked")) - def link_address(self): """Link address based on owner""" if not self.links and not self.is_your_company_address: @@ -27,5 +22,12 @@ class CustomAddress(Address): for link in contact.links: self.append('links', dict(link_doctype=link.link_doctype, link_name=link.link_name)) return True + return False - return False \ No newline at end of file + def validate_reference(self): + if self.is_your_company_address: + print('here') + if not [row for row in self.links if row.link_doctype == "Company"]: + frappe.throw(_("Address needs to be linked to a Company. Please add a row for Company in the Links table below."), + title =_("Company not Linked")) + \ No newline at end of file From 89419c9a3086c72c1183ca53c612fc0ed9564680 Mon Sep 17 00:00:00 2001 From: Abhishek Balam Date: Wed, 14 Oct 2020 20:09:05 +0530 Subject: [PATCH 17/49] fix: move get_shipping_address() from frappe to erpnext and fix references --- erpnext/accounts/custom/address.py | 21 ++++++++++++++++++++- erpnext/public/js/utils/party.js | 2 +- 2 files changed, 21 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/custom/address.py b/erpnext/accounts/custom/address.py index ac2cb0586d..2a98df2e26 100644 --- a/erpnext/accounts/custom/address.py +++ b/erpnext/accounts/custom/address.py @@ -3,6 +3,7 @@ from frappe import _ from frappe.contacts.doctype.address.address import Address from frappe.contacts.address_and_contact import set_link_title from frappe.core.doctype.dynamic_link.dynamic_link import deduplicate_dynamic_links +from frappe.contacts.doctype.address.address import get_address_templates class CustomAddress(Address): def validate(self): @@ -30,4 +31,22 @@ class CustomAddress(Address): if not [row for row in self.links if row.link_doctype == "Company"]: frappe.throw(_("Address needs to be linked to a Company. Please add a row for Company in the Links table below."), title =_("Company not Linked")) - \ No newline at end of file + +@frappe.whitelist() +def get_shipping_address(company, address = None): + filters = [ + ["Dynamic Link", "link_doctype", "=", "Company"], + ["Dynamic Link", "link_name", "=", company], + ["Address", "is_your_company_address", "=", 1] + ] + fields = ["*"] + if address and frappe.db.get_value('Dynamic Link', + {'parent': address, 'link_name': company}): + filters.append(["Address", "name", "=", address]) + + address = frappe.get_all("Address", filters=filters, fields=fields) or {} + + if address: + address_as_dict = address[0] + name, address_template = get_address_templates(address_as_dict) + return address_as_dict.get("name"), frappe.render_template(address_template, address_as_dict) diff --git a/erpnext/public/js/utils/party.js b/erpnext/public/js/utils/party.js index 44e75aee36..770704e595 100644 --- a/erpnext/public/js/utils/party.js +++ b/erpnext/public/js/utils/party.js @@ -277,7 +277,7 @@ erpnext.utils.validate_mandatory = function(frm, label, value, trigger_on) { erpnext.utils.get_shipping_address = function(frm, callback){ if (frm.doc.company) { frappe.call({ - method: "frappe.contacts.doctype.address.address.get_shipping_address", + method: "erpnext.accounts.custom.address.get_shipping_address", args: { company: frm.doc.company, address: frm.doc.shipping_address From 37c2ed269ea6292be5912d70100a4cf11e973f90 Mon Sep 17 00:00:00 2001 From: Deepesh Garg Date: Wed, 14 Oct 2020 21:47:43 +0530 Subject: [PATCH 18/49] fix: Do not get cancelled vouchers in Payment Reconciliation --- .../doctype/payment_reconciliation/payment_reconciliation.py | 1 + 1 file changed, 1 insertion(+) diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py index 2f8b634664..791b03a0d7 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py @@ -99,6 +99,7 @@ class PaymentReconciliation(Document): 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 + and `tabGL Entry`.is_cancelled = 0 GROUP BY `tab{doc}`.name Having amount > 0 From 3959ed5befc7e289f9ff86645181af14b066f288 Mon Sep 17 00:00:00 2001 From: Wolfram Schmidt Date: Wed, 14 Oct 2020 19:18:46 +0200 Subject: [PATCH 19/49] Update payment_term.json (#23644) added descriptions to fields to clarify input. --- erpnext/accounts/doctype/payment_term/payment_term.json | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/doctype/payment_term/payment_term.json b/erpnext/accounts/doctype/payment_term/payment_term.json index 723d3bd72c..e77c244d3d 100644 --- a/erpnext/accounts/doctype/payment_term/payment_term.json +++ b/erpnext/accounts/doctype/payment_term/payment_term.json @@ -45,6 +45,7 @@ "unique": 0 }, { + "description": "Provide the invoice portion in percent", "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 1, @@ -170,6 +171,7 @@ "unique": 0 }, { + "description": "Give number of days according to prior selection", "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 1, @@ -305,7 +307,7 @@ "issingle": 0, "istable": 0, "max_attachments": 0, - "modified": "2018-03-08 10:47:32.830478", + "modified": "2020-10-14 10:47:32.830478", "modified_by": "Administrator", "module": "Accounts", "name": "Payment Term", @@ -381,4 +383,4 @@ "sort_order": "DESC", "track_changes": 1, "track_seen": 0 -} \ No newline at end of file +} From 349fcfd6a520321b4675b11bc128180e641da8d1 Mon Sep 17 00:00:00 2001 From: Abhishek Balam Date: Thu, 15 Oct 2020 12:21:43 +0530 Subject: [PATCH 20/49] fix: set default filters on unchecking box, code cleanup --- erpnext/public/js/address.js | 13 ++++++------- 1 file changed, 6 insertions(+), 7 deletions(-) diff --git a/erpnext/public/js/address.js b/erpnext/public/js/address.js index 1176075b39..57f7163bbb 100644 --- a/erpnext/public/js/address.js +++ b/erpnext/public/js/address.js @@ -3,24 +3,23 @@ frappe.ui.form.on("Address", { is_your_company_address: function(frm) { - if(frm.doc.is_your_company_address){ + frm.clear_table('links'); + if(frm.doc.is_your_company_address) { frm.add_child('links', { link_doctype: 'Company', link_name: frappe.defaults.get_user_default('Company') }); - frm.fields_dict.links.grid.get_field('link_doctype').get_query = function() { + frm.set_query('link_doctype', 'links', () => { return { filters: { name: 'Company' } }; - }; + }); frm.refresh_field('links'); } - else{ - frm.fields_dict.links.grid.get_field('link_doctype').get_query = null; - frm.clear_table('links'); + else { + frm.trigger('refresh'); } - frm.refresh_field('links'); } }); From 5f465394a7d76e706af1ff4d078112f127818c0f Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Thu, 15 Oct 2020 14:14:27 +0530 Subject: [PATCH 21/49] fix: serial no field is blank in stock reconciliation --- .../doctype/stock_reconciliation/stock_reconciliation.js | 4 ++++ .../doctype/stock_reconciliation/stock_reconciliation.py | 2 ++ .../doctype/stock_reconciliation/test_stock_reconciliation.py | 2 +- 3 files changed, 7 insertions(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.js b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.js index ecee97ce86..e2121fce3f 100644 --- a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.js +++ b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.js @@ -109,6 +109,10 @@ frappe.ui.form.on("Stock Reconciliation", { frappe.model.set_value(cdt, cdn, "current_amount", r.message.rate * r.message.qty); frappe.model.set_value(cdt, cdn, "amount", r.message.rate * r.message.qty); frappe.model.set_value(cdt, cdn, "current_serial_no", r.message.serial_nos); + + if (frm.doc.purpose == "Stock Reconciliation") { + frappe.model.set_value(cdt, cdn, "serial_no", r.message.serial_nos); + } } }); } diff --git a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py index b81f8a086d..00b8f69c08 100644 --- a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +++ b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py @@ -67,6 +67,8 @@ class StockReconciliation(StockController): if item_dict.get("serial_nos"): item.current_serial_no = item_dict.get("serial_nos") + if self.purpose == "Stock Reconciliation": + item.serial_no = item.current_serial_no item.current_qty = item_dict.get("qty") item.current_valuation_rate = item_dict.get("rate") diff --git a/erpnext/stock/doctype/stock_reconciliation/test_stock_reconciliation.py b/erpnext/stock/doctype/stock_reconciliation/test_stock_reconciliation.py index 15714161c6..23d48d4ac7 100644 --- a/erpnext/stock/doctype/stock_reconciliation/test_stock_reconciliation.py +++ b/erpnext/stock/doctype/stock_reconciliation/test_stock_reconciliation.py @@ -124,7 +124,7 @@ class TestStockReconciliation(unittest.TestCase): to_delete_records.append(sr.name) sr = create_stock_reconciliation(item_code=serial_item_code, - warehouse = serial_warehouse, qty=5, rate=300, serial_no = '\n'.join(serial_nos)) + warehouse = serial_warehouse, qty=5, rate=300) serial_nos1 = get_serial_nos(sr.items[0].serial_no) self.assertEqual(len(serial_nos1), 5) From 775e689ba934f96bc8cdcef541d5fe83ec74b7c0 Mon Sep 17 00:00:00 2001 From: Deepesh Garg Date: Thu, 15 Oct 2020 22:09:05 +0530 Subject: [PATCH 22/49] fix: Add tests --- .../doctype/stock_entry/test_stock_entry.py | 26 +++++++++++++++++++ 1 file changed, 26 insertions(+) diff --git a/erpnext/stock/doctype/stock_entry/test_stock_entry.py b/erpnext/stock/doctype/stock_entry/test_stock_entry.py index d98870de3e..9b6744ca3c 100644 --- a/erpnext/stock/doctype/stock_entry/test_stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/test_stock_entry.py @@ -795,6 +795,32 @@ class TestStockEntry(unittest.TestCase): ]) ) + def test_conversion_factor_change(self): + frappe.db.set_value("Stock Settings", None, "allow_negative_stock", 1) + repack_entry = frappe.copy_doc(test_records[3]) + repack_entry.posting_date = nowdate() + repack_entry.posting_time = nowtime() + repack_entry.set_stock_entry_type() + repack_entry.insert() + + # check current uom and conversion factor + self.assertTrue(repack_entry.items[0].uom, "_Test UOM") + self.assertTrue(repack_entry.items[0].conversion_factor, 1) + + # change conversion factor + repack_entry.items[0].uom = "_Test UOM 1" + repack_entry.items[0].stock_uom = "_Test UOM 1" + repack_entry.items[0].conversion_factor = 2 + repack_entry.save() + repack_entry.submit() + + self.assertEqual(repack_entry.items[0].conversion_factor, 2) + self.assertEqual(repack_entry.items[0].uom, "_Test UOM 1") + self.assertEqual(repack_entry.items[0].qty, 50) + self.assertEqual(repack_entry.items[0].transfer_qty, 100) + + frappe.db.set_default("allow_negative_stock", 0) + def make_serialized_item(**args): args = frappe._dict(args) se = frappe.copy_doc(test_records[0]) From 2f71927af8c35809475f01ea49fd7219b0ece004 Mon Sep 17 00:00:00 2001 From: Saqib Date: Fri, 16 Oct 2020 12:32:59 +0530 Subject: [PATCH 23/49] fix: fuel expense amount of vehicle log (#23632) * fix: fuel expense amount of vehicle log * fix: undefined var employee_id in test * fix: test --- .../doctype/vehicle_log/test_vehicle_log.py | 48 +++++++++++++++---- erpnext/hr/doctype/vehicle_log/vehicle_log.py | 2 +- 2 files changed, 41 insertions(+), 9 deletions(-) diff --git a/erpnext/hr/doctype/vehicle_log/test_vehicle_log.py b/erpnext/hr/doctype/vehicle_log/test_vehicle_log.py index e9dc7764f7..cf0048c1a7 100644 --- a/erpnext/hr/doctype/vehicle_log/test_vehicle_log.py +++ b/erpnext/hr/doctype/vehicle_log/test_vehicle_log.py @@ -6,18 +6,28 @@ from __future__ import unicode_literals import frappe import unittest from frappe.utils import nowdate,flt, cstr,random_string +from erpnext.hr.doctype.employee.test_employee import make_employee +from erpnext.hr.doctype.vehicle_log.vehicle_log import make_expense_claim class TestVehicleLog(unittest.TestCase): + def setUp(self): + employee_id = frappe.db.sql("""select name from `tabEmployee` where name='testdriver@example.com'""") + self.employee_id = employee_id[0][0] if employee_id else None + + if not self.employee_id: + self.employee_id = make_employee("testdriver@example.com", company="_Test Company") + + self.license_plate = get_vehicle(self.employee_id) + + def tearDown(self): + frappe.delete_doc("Vehicle", self.license_plate, force=1) + frappe.delete_doc("Employee", self.employee_id, force=1) + def test_make_vehicle_log_and_syncing_of_odometer_value(self): - employee_id = frappe.db.sql("""select name from `tabEmployee` where status='Active' order by modified desc limit 1""") - employee_id = employee_id[0][0] if employee_id else None - - license_plate = get_vehicle(employee_id) - vehicle_log = frappe.get_doc({ "doctype": "Vehicle Log", - "license_plate": cstr(license_plate), - "employee":employee_id, + "license_plate": cstr(self.license_plate), + "employee": self.employee_id, "date":frappe.utils.nowdate(), "odometer":5010, "fuel_qty":frappe.utils.flt(50), @@ -27,7 +37,7 @@ class TestVehicleLog(unittest.TestCase): vehicle_log.submit() #checking value of vehicle odometer value on submit. - vehicle = frappe.get_doc("Vehicle", license_plate) + vehicle = frappe.get_doc("Vehicle", self.license_plate) self.assertEqual(vehicle.last_odometer, vehicle_log.odometer) #checking value vehicle odometer on vehicle log cancellation. @@ -40,6 +50,28 @@ class TestVehicleLog(unittest.TestCase): self.assertEqual(vehicle.last_odometer, current_odometer - distance_travelled) + vehicle_log.delete() + + def test_vehicle_log_fuel_expense(self): + vehicle_log = frappe.get_doc({ + "doctype": "Vehicle Log", + "license_plate": cstr(self.license_plate), + "employee": self.employee_id, + "date": frappe.utils.nowdate(), + "odometer":5010, + "fuel_qty":frappe.utils.flt(50), + "price": frappe.utils.flt(500) + }) + vehicle_log.save() + vehicle_log.submit() + + expense_claim = make_expense_claim(vehicle_log.name) + fuel_expense = expense_claim.expenses[0].amount + self.assertEqual(fuel_expense, 50*500) + + vehicle_log.cancel() + frappe.delete_doc("Expense Claim", expense_claim.name) + frappe.delete_doc("Vehicle Log", vehicle_log.name) def get_vehicle(employee_id): license_plate=random_string(10).upper() diff --git a/erpnext/hr/doctype/vehicle_log/vehicle_log.py b/erpnext/hr/doctype/vehicle_log/vehicle_log.py index 8affab2a18..04c94e37d5 100644 --- a/erpnext/hr/doctype/vehicle_log/vehicle_log.py +++ b/erpnext/hr/doctype/vehicle_log/vehicle_log.py @@ -32,7 +32,7 @@ def make_expense_claim(docname): vehicle_log = frappe.get_doc("Vehicle Log", docname) service_expense = sum([flt(d.expense_amount) for d in vehicle_log.service_detail]) - claim_amount = service_expense + flt(vehicle_log.price) + claim_amount = service_expense + (flt(vehicle_log.price) * flt(vehicle_log.fuel_qty) or 1) if not claim_amount: frappe.throw(_("No additional expenses has been added")) From e9b04dc7278e888d52d79c9c00d163d4c02a0542 Mon Sep 17 00:00:00 2001 From: marination Date: Fri, 16 Oct 2020 12:36:13 +0530 Subject: [PATCH 24/49] fix: Payment Reconciliation client side validations --- .../payment_reconciliation.js | 57 +++++++++++-------- erpnext/accounts/party.py | 2 +- 2 files changed, 33 insertions(+), 26 deletions(-) diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js index 355fe96c96..118e28970c 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js @@ -37,6 +37,11 @@ frappe.ui.form.on("Payment Reconciliation Payment", { erpnext.accounts.PaymentReconciliationController = frappe.ui.form.Controller.extend({ onload: function() { var me = this; + + this.frm.set_query("party", function() { + check_mandatory(me.frm); + }); + this.frm.set_query("party_type", function() { return { "filters": { @@ -46,37 +51,39 @@ erpnext.accounts.PaymentReconciliationController = frappe.ui.form.Controller.ext }); this.frm.set_query('receivable_payable_account', function() { - if(!me.frm.doc.company || !me.frm.doc.party_type) { - frappe.msgprint(__("Please select Company and Party Type first")); - } else { - return{ - filters: { - "company": me.frm.doc.company, - "is_group": 0, - "account_type": frappe.boot.party_account_types[me.frm.doc.party_type] - } - }; - } - + check_mandatory(me.frm); + return { + filters: { + "company": me.frm.doc.company, + "is_group": 0, + "account_type": frappe.boot.party_account_types[me.frm.doc.party_type] + } + }; }); this.frm.set_query('bank_cash_account', function() { - if(!me.frm.doc.company) { - frappe.msgprint(__("Please select Company first")); - } else { - return{ - filters:[ - ['Account', 'company', '=', me.frm.doc.company], - ['Account', 'is_group', '=', 0], - ['Account', 'account_type', 'in', ['Bank', 'Cash']] - ] - }; - } + check_mandatory(me.frm, true); + return { + filters:[ + ['Account', 'company', '=', me.frm.doc.company], + ['Account', 'is_group', '=', 0], + ['Account', 'account_type', 'in', ['Bank', 'Cash']] + ] + }; }); this.frm.set_value('party_type', ''); this.frm.set_value('party', ''); this.frm.set_value('receivable_payable_account', ''); + + var check_mandatory = (frm, only_company=false) => { + var title = __("Mandatory"); + if (only_company && !frm.doc.company) { + frappe.throw({message: __("Please Select a Company First"), title: title}); + } else if (!frm.doc.company || !frm.doc.party_type) { + frappe.throw({message: __("Please Select Both Company and Party Type First"), title: title}); + } + } }, refresh: function() { @@ -90,7 +97,7 @@ erpnext.accounts.PaymentReconciliationController = frappe.ui.form.Controller.ext party: function() { var me = this - if(!me.frm.doc.receivable_payable_account && me.frm.doc.party_type && me.frm.doc.party) { + if (!me.frm.doc.receivable_payable_account && me.frm.doc.party_type && me.frm.doc.party) { return frappe.call({ method: "erpnext.accounts.party.get_party_account", args: { @@ -99,7 +106,7 @@ erpnext.accounts.PaymentReconciliationController = frappe.ui.form.Controller.ext party: me.frm.doc.party }, callback: function(r) { - if(!r.exc && r.message) { + if (!r.exc && r.message) { me.frm.set_value("receivable_payable_account", r.message); } } diff --git a/erpnext/accounts/party.py b/erpnext/accounts/party.py index 2f800bb2ab..e8d3cd322b 100644 --- a/erpnext/accounts/party.py +++ b/erpnext/accounts/party.py @@ -203,7 +203,7 @@ def set_account_and_due_date(party, account, party_type, company, posting_date, return out @frappe.whitelist() -def get_party_account(party_type, party, company): +def get_party_account(party_type, party, company=None): """Returns the account for the given `party`. Will first search in party (Customer / Supplier) record, if not found, will search in group (Customer Group / Supplier Group), From f01856d7a999704c2f7bef4d15af5bdb8d673a7f Mon Sep 17 00:00:00 2001 From: rohitwaghchaure Date: Mon, 14 Sep 2020 20:51:20 +0530 Subject: [PATCH 25/49] fix: production plan incorrect work order qty (#23264) * fix: production plan incorrect work order qty * added test case * Update test_production_plan.py --- .../production_plan/production_plan.py | 11 ++--- .../production_plan/test_production_plan.py | 44 ++++++++++++++++++- 2 files changed, 48 insertions(+), 7 deletions(-) diff --git a/erpnext/manufacturing/doctype/production_plan/production_plan.py b/erpnext/manufacturing/doctype/production_plan/production_plan.py index 5b14d054af..b6552d5d6b 100644 --- a/erpnext/manufacturing/doctype/production_plan/production_plan.py +++ b/erpnext/manufacturing/doctype/production_plan/production_plan.py @@ -322,12 +322,13 @@ class ProductionPlan(Document): work_orders = [] bom_data = {} - get_sub_assembly_items(item.get("bom_no"), bom_data) + get_sub_assembly_items(item.get("bom_no"), bom_data, item.get("qty")) for key, data in bom_data.items(): data.update({ - 'qty': data.get("stock_qty") * item.get("qty"), + 'qty': data.get("stock_qty"), 'production_plan': self.name, + 'use_multi_level_bom': item.get("use_multi_level_bom"), 'company': self.company, 'fg_warehouse': item.get("fg_warehouse"), 'update_consumed_material_cost_in_project': 0 @@ -781,7 +782,7 @@ def get_item_data(item_code): # "description": item_details.get("description") } -def get_sub_assembly_items(bom_no, bom_data): +def get_sub_assembly_items(bom_no, bom_data, to_produce_qty): data = get_children('BOM', parent = bom_no) for d in data: if d.expandable: @@ -798,6 +799,6 @@ def get_sub_assembly_items(bom_no, bom_data): }) bom_item = bom_data.get(key) - bom_item["stock_qty"] += d.stock_qty / d.parent_bom_qty + bom_item["stock_qty"] += (d.stock_qty / d.parent_bom_qty) * flt(to_produce_qty) - get_sub_assembly_items(bom_item.get("bom_no"), bom_data) + get_sub_assembly_items(bom_item.get("bom_no"), bom_data, bom_item["stock_qty"]) diff --git a/erpnext/manufacturing/doctype/production_plan/test_production_plan.py b/erpnext/manufacturing/doctype/production_plan/test_production_plan.py index ca67d71bb0..e728cc2d95 100644 --- a/erpnext/manufacturing/doctype/production_plan/test_production_plan.py +++ b/erpnext/manufacturing/doctype/production_plan/test_production_plan.py @@ -158,6 +158,46 @@ class TestProductionPlan(unittest.TestCase): self.assertTrue(mr.material_request_type, 'Customer Provided') self.assertTrue(mr.customer, '_Test Customer') + def test_production_plan_with_multi_level_bom(self): + #|Item Code | Qty | + #|Test BOM 1 | 1 | + #| Test BOM 2 | 2 | + #| Test BOM 3 | 3 | + + for item_code in ["Test BOM 1", "Test BOM 2", "Test BOM 3", "Test RM BOM 1"]: + create_item(item_code, is_stock_item=1) + + # created bom upto 3 level + if not frappe.db.get_value('BOM', {'item': "Test BOM 3"}): + make_bom(item = "Test BOM 3", raw_materials = ["Test RM BOM 1"], rm_qty=3) + + if not frappe.db.get_value('BOM', {'item': "Test BOM 2"}): + make_bom(item = "Test BOM 2", raw_materials = ["Test BOM 3"], rm_qty=3) + + if not frappe.db.get_value('BOM', {'item': "Test BOM 1"}): + make_bom(item = "Test BOM 1", raw_materials = ["Test BOM 2"], rm_qty=2) + + item_code = "Test BOM 1" + pln = frappe.new_doc('Production Plan') + pln.company = "_Test Company" + pln.append("po_items", { + "item_code": item_code, + "bom_no": frappe.db.get_value('BOM', {'item': "Test BOM 1"}), + "planned_qty": 3, + "make_work_order_for_sub_assembly_items": 1 + }) + + pln.submit() + pln.make_work_order() + + #last level sub-assembly work order produce qty + to_produce_qty = frappe.db.get_value("Work Order", + {"production_plan": pln.name, "production_item": "Test BOM 3"}, "qty") + + self.assertEqual(to_produce_qty, 18.0) + pln.cancel() + frappe.delete_doc("Production Plan", pln.name) + def create_production_plan(**args): args = frappe._dict(args) @@ -205,7 +245,7 @@ def make_bom(**args): bom.append('items', { 'item_code': item, - 'qty': 1, + 'qty': args.rm_qty or 1.0, 'uom': item_doc.stock_uom, 'stock_uom': item_doc.stock_uom, 'rate': item_doc.valuation_rate or args.rate, @@ -213,4 +253,4 @@ def make_bom(**args): bom.insert(ignore_permissions=True) bom.submit() - return bom \ No newline at end of file + return bom From 2ce67b0ef98dd3b1ae8477362469a63a62a8c452 Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Fri, 4 Sep 2020 15:20:37 +0530 Subject: [PATCH 26/49] fix: not able to make material request from SO --- .../doctype/sales_order/sales_order.py | 21 ++++++++++++------- 1 file changed, 13 insertions(+), 8 deletions(-) diff --git a/erpnext/selling/doctype/sales_order/sales_order.py b/erpnext/selling/doctype/sales_order/sales_order.py index 62a5d4e68f..fe3fa82e84 100755 --- a/erpnext/selling/doctype/sales_order/sales_order.py +++ b/erpnext/selling/doctype/sales_order/sales_order.py @@ -5,7 +5,7 @@ from __future__ import unicode_literals import frappe import json import frappe.utils -from frappe.utils import cstr, flt, getdate, cint, nowdate, add_days, get_link_to_form +from frappe.utils import cstr, flt, getdate, cint, nowdate, add_days, get_link_to_form, strip_html from frappe import _ from six import string_types from frappe.model.utils import get_fetch_values @@ -993,15 +993,20 @@ def make_raw_material_request(items, company, sales_order, project=None): )) for item in raw_materials: item_doc = frappe.get_cached_doc('Item', item.get('item_code')) + schedule_date = add_days(nowdate(), cint(item_doc.lead_time_days)) - material_request.append('items', { - 'item_code': item.get('item_code'), - 'qty': item.get('quantity'), - 'schedule_date': schedule_date, - 'warehouse': item.get('warehouse'), - 'sales_order': sales_order, - 'project': project + row = material_request.append('items', { + 'item_code': item.get('item_code'), + 'qty': item.get('quantity'), + 'schedule_date': schedule_date, + 'warehouse': item.get('warehouse'), + 'sales_order': sales_order, + 'project': project }) + + if not (strip_html(item.get("description")) and strip_html(item_doc.description)): + row.description = item_doc.item_name or item.get('item_code') + material_request.insert() material_request.flags.ignore_permissions = 1 material_request.run_method("set_missing_values") From 3cdaa92582b6b5dd860e3ebc764917374e55e343 Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Mon, 21 Sep 2020 12:26:35 +0530 Subject: [PATCH 27/49] refactor: enabled no copy property for Supplier Invoice Date to avoid due date validation --- .../accounts/doctype/purchase_invoice/purchase_invoice.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json index d62e73b6ac..8925b87b52 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json @@ -361,6 +361,7 @@ "fieldname": "bill_date", "fieldtype": "Date", "label": "Supplier Invoice Date", + "no_copy": 1, "oldfieldname": "bill_date", "oldfieldtype": "Date", "print_hide": 1 @@ -1333,8 +1334,7 @@ "icon": "fa fa-file-text", "idx": 204, "is_submittable": 1, - "links": [], - "modified": "2020-08-03 23:20:04.466153", + "modified": "2020-09-21 12:22:09.164068", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Invoice", From 22bcad9dc75d57381a21dbbf3317c906b0a666fb Mon Sep 17 00:00:00 2001 From: Faris Ansari Date: Fri, 16 Oct 2020 15:28:12 +0530 Subject: [PATCH 28/49] fix: Cleanup code --- erpnext/accounts/custom/address.py | 34 +++++++++++------------------- erpnext/hooks.py | 4 ++-- 2 files changed, 14 insertions(+), 24 deletions(-) diff --git a/erpnext/accounts/custom/address.py b/erpnext/accounts/custom/address.py index 2a98df2e26..4894c64a1f 100644 --- a/erpnext/accounts/custom/address.py +++ b/erpnext/accounts/custom/address.py @@ -1,37 +1,27 @@ import frappe from frappe import _ from frappe.contacts.doctype.address.address import Address -from frappe.contacts.address_and_contact import set_link_title -from frappe.core.doctype.dynamic_link.dynamic_link import deduplicate_dynamic_links from frappe.contacts.doctype.address.address import get_address_templates -class CustomAddress(Address): +class ERPNextAddress(Address): def validate(self): - self.link_address() self.validate_reference() - super(CustomAddress, self).validate_preferred_address() - set_link_title(self) - deduplicate_dynamic_links(self) + super(ERPNextAddress, self).validate() def link_address(self): """Link address based on owner""" - if not self.links and not self.is_your_company_address: - contact_name = frappe.db.get_value("Contact", {"email_id": self.owner}) - if contact_name: - contact = frappe.get_cached_doc('Contact', contact_name) - print('here', str(contact)) - for link in contact.links: - self.append('links', dict(link_doctype=link.link_doctype, link_name=link.link_name)) - return True - return False + if not self.is_your_company_address: + return + + return super(ERPNextAddress, self).link_address() def validate_reference(self): - if self.is_your_company_address: - print('here') - if not [row for row in self.links if row.link_doctype == "Company"]: - frappe.throw(_("Address needs to be linked to a Company. Please add a row for Company in the Links table below."), - title =_("Company not Linked")) - + if self.is_your_company_address and not [ + row for row in self.links if row.link_doctype == "Company" + ]: + frappe.throw(_("Address needs to be linked to a Company. Please add a row for Company in the Links table."), + title=_("Company Not Linked")) + @frappe.whitelist() def get_shipping_address(company, address = None): filters = [ diff --git a/erpnext/hooks.py b/erpnext/hooks.py index fb93df8b03..9bd31050c4 100644 --- a/erpnext/hooks.py +++ b/erpnext/hooks.py @@ -28,7 +28,7 @@ doctype_js = { } override_doctype_class = { - 'Address': 'erpnext.accounts.custom.address.CustomAddress' + 'Address': 'erpnext.accounts.custom.address.ERPNextAddress' } welcome_email = "erpnext.setup.utils.welcome_email" @@ -566,4 +566,4 @@ global_search_doctypes = { {'doctype': 'Hotel Room Package', 'index': 3}, {'doctype': 'Hotel Room Type', 'index': 4} ] -} \ No newline at end of file +} From be0fcbea68bd24981b8c77a4b01eacaf63835d0a Mon Sep 17 00:00:00 2001 From: Faris Ansari Date: Fri, 16 Oct 2020 15:55:25 +0530 Subject: [PATCH 29/49] fix: Dont add Contact link if is company address --- erpnext/accounts/custom/address.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/custom/address.py b/erpnext/accounts/custom/address.py index 4894c64a1f..5e764037a7 100644 --- a/erpnext/accounts/custom/address.py +++ b/erpnext/accounts/custom/address.py @@ -10,7 +10,7 @@ class ERPNextAddress(Address): def link_address(self): """Link address based on owner""" - if not self.is_your_company_address: + if self.is_your_company_address: return return super(ERPNextAddress, self).link_address() From b14ffc43494178eb5f90086254d6f472670e230f Mon Sep 17 00:00:00 2001 From: marination Date: Fri, 16 Oct 2020 16:04:56 +0530 Subject: [PATCH 30/49] fix: 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 118e28970c..6b07197ec1 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js @@ -83,7 +83,7 @@ erpnext.accounts.PaymentReconciliationController = frappe.ui.form.Controller.ext } else if (!frm.doc.company || !frm.doc.party_type) { frappe.throw({message: __("Please Select Both Company and Party Type First"), title: title}); } - } + }; }, refresh: function() { From c3b1aef9f9143b488b2c5d38f6398a88f4a354a0 Mon Sep 17 00:00:00 2001 From: Rucha Mahabal Date: Sun, 18 Oct 2020 19:28:26 +0530 Subject: [PATCH 31/49] fix(minor): msgprint not defined in POS Invoice (#23680) * fix(minor): msgprint not defined in POS Invoice * fix: translation friendly syntax --- .../doctype/pos_invoice/pos_invoice.py | 30 +++++++++---------- 1 file changed, 14 insertions(+), 16 deletions(-) diff --git a/erpnext/accounts/doctype/pos_invoice/pos_invoice.py b/erpnext/accounts/doctype/pos_invoice/pos_invoice.py index 1669ca4094..7229aff43a 100644 --- a/erpnext/accounts/doctype/pos_invoice/pos_invoice.py +++ b/erpnext/accounts/doctype/pos_invoice/pos_invoice.py @@ -92,21 +92,19 @@ class POSInvoice(SalesInvoice): if len(invalid_serial_nos): multiple_nos = 's' if len(invalid_serial_nos) > 1 else '' - frappe.throw(_("Row #{}: Serial No{}. {} has already been transacted into another POS Invoice. \ - Please select valid serial no.".format(d.idx, multiple_nos, - frappe.bold(', '.join(invalid_serial_nos)))), title=_("Not Available")) + frappe.throw(_("Row #{}: Serial No{}. {} has already been transacted into another POS Invoice. Please select valid serial no.").format( + d.idx, multiple_nos, frappe.bold(', '.join(invalid_serial_nos))), title=_("Not Available")) else: if allow_negative_stock: return available_stock = get_stock_availability(d.item_code, d.warehouse) if not (flt(available_stock) > 0): - frappe.throw(_('Row #{}: Item Code: {} is not available under warehouse {}.' - .format(d.idx, frappe.bold(d.item_code), frappe.bold(d.warehouse))), title=_("Not Available")) + frappe.throw(_('Row #{}: Item Code: {} is not available under warehouse {}.').format( + d.idx, frappe.bold(d.item_code), frappe.bold(d.warehouse)), title=_("Not Available")) elif flt(available_stock) < flt(d.qty): - frappe.msgprint(_('Row #{}: Stock quantity not enough for Item Code: {} under warehouse {}. \ - Available quantity {}.'.format(d.idx, frappe.bold(d.item_code), - frappe.bold(d.warehouse), frappe.bold(d.qty))), title=_("Not Available")) + frappe.msgprint(_('Row #{}: Stock quantity not enough for Item Code: {} under warehouse {}. Available quantity {}.').format( + d.idx, frappe.bold(d.item_code), frappe.bold(d.warehouse), frappe.bold(d.qty)), title=_("Not Available")) def validate_serialised_or_batched_item(self): for d in self.get("items"): @@ -117,14 +115,14 @@ class POSInvoice(SalesInvoice): if serialized and batched and (no_batch_selected or no_serial_selected): - frappe.throw(_('Row #{}: Please select a serial no and batch against item: {} or remove it to complete transaction.' - .format(d.idx, frappe.bold(d.item_code))), title=_("Invalid Item")) + frappe.throw(_('Row #{}: Please select a serial no and batch against item: {} or remove it to complete transaction.').format( + d.idx, frappe.bold(d.item_code)), title=_("Invalid Item")) if serialized and no_serial_selected: - frappe.throw(_('Row #{}: No serial number selected against item: {}. Please select one or remove it to complete transaction.' - .format(d.idx, frappe.bold(d.item_code))), title=_("Invalid Item")) + frappe.throw(_('Row #{}: No serial number selected against item: {}. Please select one or remove it to complete transaction.').format( + d.idx, frappe.bold(d.item_code)), title=_("Invalid Item")) if batched and no_batch_selected: - frappe.throw(_('Row #{}: No batch selected against item: {}. Please select a batch or remove it to complete transaction.' - .format(d.idx, frappe.bold(d.item_code))), title=_("Invalid Item")) + frappe.throw(_('Row #{}: No batch selected against item: {}. Please select a batch or remove it to complete transaction.').format( + d.idx, frappe.bold(d.item_code)), title=_("Invalid Item")) def validate_return_items(self): if not self.get("is_return"): return @@ -151,7 +149,7 @@ class POSInvoice(SalesInvoice): self.base_change_amount = flt(self.base_paid_amount - base_grand_total + flt(self.base_write_off_amount)) if flt(self.change_amount) and not self.account_for_change_amount: - msgprint(_("Please enter Account for Change Amount"), raise_exception=1) + frappe.msgprint(_("Please enter Account for Change Amount"), raise_exception=1) def verify_payment_amount(self): for entry in self.payments: @@ -167,7 +165,7 @@ class POSInvoice(SalesInvoice): total_amount_in_payments += payment.amount invoice_total = self.rounded_total or self.grand_total if total_amount_in_payments < invoice_total: - frappe.throw(_("Total payments amount can't be greater than {}".format(-invoice_total))) + frappe.throw(_("Total payments amount can't be greater than {}").format(-invoice_total)) def validate_loyalty_transaction(self): if self.redeem_loyalty_points and (not self.loyalty_redemption_account or not self.loyalty_redemption_cost_center): From 21bf5e9b8ef2935ed6c40c44fcc5bc000101a755 Mon Sep 17 00:00:00 2001 From: rohitwaghchaure Date: Mon, 19 Oct 2020 10:38:48 +0530 Subject: [PATCH 32/49] Fixed incorrect operation time calculation develop (#23674) * fix: incorrect operation time calculation for batch size * Update test_work_order.py --- .../production_plan/test_production_plan.py | 8 +++- .../doctype/work_order/test_work_order.py | 43 +++++++++++++++++++ .../doctype/work_order/work_order.py | 2 +- 3 files changed, 50 insertions(+), 3 deletions(-) diff --git a/erpnext/manufacturing/doctype/production_plan/test_production_plan.py b/erpnext/manufacturing/doctype/production_plan/test_production_plan.py index e728cc2d95..d020bc83fa 100644 --- a/erpnext/manufacturing/doctype/production_plan/test_production_plan.py +++ b/erpnext/manufacturing/doctype/production_plan/test_production_plan.py @@ -251,6 +251,10 @@ def make_bom(**args): 'rate': item_doc.valuation_rate or args.rate, }) - bom.insert(ignore_permissions=True) - bom.submit() + if not args.do_not_save: + bom.insert(ignore_permissions=True) + + if not args.do_not_submit: + bom.submit() + return bom diff --git a/erpnext/manufacturing/doctype/work_order/test_work_order.py b/erpnext/manufacturing/doctype/work_order/test_work_order.py index b7c7c32869..7010f296e4 100644 --- a/erpnext/manufacturing/doctype/work_order/test_work_order.py +++ b/erpnext/manufacturing/doctype/work_order/test_work_order.py @@ -407,6 +407,49 @@ class TestWorkOrder(unittest.TestCase): ste1 = frappe.get_doc(make_stock_entry(wo.name, "Manufacture", 1)) self.assertEqual(len(ste1.items), 3) + def test_operation_time_with_batch_size(self): + fg_item = "Test Batch Size Item For BOM" + rm1 = "Test Batch Size Item RM 1 For BOM" + + for item in ["Test Batch Size Item For BOM", "Test Batch Size Item RM 1 For BOM"]: + make_item(item, { + "include_item_in_manufacturing": 1, + "is_stock_item": 1 + }) + + bom_name = frappe.db.get_value("BOM", + {"item": fg_item, "is_active": 1, "with_operations": 1}, "name") + + if not bom_name: + bom = make_bom(item=fg_item, rate=1000, raw_materials = [rm1], do_not_save=True) + bom.with_operations = 1 + bom.append("operations", { + "operation": "_Test Operation 1", + "workstation": "_Test Workstation 1", + "description": "Test Data", + "operating_cost": 100, + "time_in_mins": 40, + "batch_size": 5 + }) + + bom.save() + bom.submit() + bom_name = bom.name + + work_order = make_wo_order_test_record(item=fg_item, + planned_start_date=now(), qty=1, do_not_save=True) + + work_order.set_work_order_operations() + work_order.save() + self.assertEqual(work_order.operations[0].time_in_mins, 8.0) + + work_order1 = make_wo_order_test_record(item=fg_item, + planned_start_date=now(), qty=5, do_not_save=True) + + work_order1.set_work_order_operations() + work_order1.save() + self.assertEqual(work_order1.operations[0].time_in_mins, 40.0) + def get_scrap_item_details(bom_no): scrap_items = {} for item in frappe.db.sql("""select item_code, stock_qty from `tabBOM Scrap Item` diff --git a/erpnext/manufacturing/doctype/work_order/work_order.py b/erpnext/manufacturing/doctype/work_order/work_order.py index 3173b6c483..7f8341f4c2 100644 --- a/erpnext/manufacturing/doctype/work_order/work_order.py +++ b/erpnext/manufacturing/doctype/work_order/work_order.py @@ -403,7 +403,7 @@ class WorkOrder(Document): bom_qty = frappe.db.get_value("BOM", self.bom_no, "quantity") for d in self.get("operations"): - d.time_in_mins = flt(d.time_in_mins) / flt(bom_qty) * math.ceil(flt(self.qty) / flt(d.batch_size)) + d.time_in_mins = flt(d.time_in_mins) / flt(bom_qty) * (flt(self.qty) / flt(d.batch_size)) self.calculate_operating_cost() From 5d6686bd8c4b237f7103f76cb7c32f09141b3461 Mon Sep 17 00:00:00 2001 From: rohitwaghchaure Date: Mon, 19 Oct 2020 10:39:20 +0530 Subject: [PATCH 33/49] Fixed stock ageing report data develop (#23673) * fix: stock ageing report * Update stock_ageing.py --- .../stock/report/stock_ageing/stock_ageing.py | 20 ++++++++++--------- 1 file changed, 11 insertions(+), 9 deletions(-) diff --git a/erpnext/stock/report/stock_ageing/stock_ageing.py b/erpnext/stock/report/stock_ageing/stock_ageing.py index 4af3c541a6..3dc806fb43 100644 --- a/erpnext/stock/report/stock_ageing/stock_ageing.py +++ b/erpnext/stock/report/stock_ageing/stock_ageing.py @@ -16,10 +16,11 @@ def execute(filters=None): data = [] for item, item_dict in iteritems(item_details): + earliest_age, latest_age = 0, 0 fifo_queue = sorted(filter(_func, item_dict["fifo_queue"]), key=_func) details = item_dict["details"] - if not fifo_queue or (not item_dict.get("total_qty")): continue + if not fifo_queue and (not item_dict.get("total_qty")): continue average_age = get_average_age(fifo_queue, to_date) earliest_age = date_diff(to_date, fifo_queue[0][1]) @@ -60,7 +61,7 @@ def get_range_age(filters, fifo_queue, to_date): range1 = range2 = range3 = above_range3 = 0.0 for item in fifo_queue: age = date_diff(to_date, item[1]) - + if age <= filters.range1: range1 += flt(item[0]) elif age <= filters.range2: @@ -69,7 +70,7 @@ def get_range_age(filters, fifo_queue, to_date): range3 += flt(item[0]) else: above_range3 += flt(item[0]) - + return range1, range2, range3, above_range3 def get_columns(filters): @@ -170,7 +171,8 @@ def get_fifo_queue(filters, sle=None): item_details.setdefault(key, {"details": d, "fifo_queue": []}) fifo_queue = item_details[key]["fifo_queue"] - transferred_item_details.setdefault((d.voucher_no, d.name), []) + transferred_item_key = (d.voucher_no, d.name, d.warehouse) + transferred_item_details.setdefault(transferred_item_key, []) if d.voucher_type == "Stock Reconciliation": d.actual_qty = flt(d.qty_after_transaction) - flt(item_details[key].get("qty_after_transaction", 0)) @@ -178,10 +180,10 @@ def get_fifo_queue(filters, sle=None): serial_no_list = get_serial_nos(d.serial_no) if d.serial_no else [] if d.actual_qty > 0: - if transferred_item_details.get((d.voucher_no, d.name)): - batch = transferred_item_details[(d.voucher_no, d.name)][0] + if transferred_item_details.get(transferred_item_key): + batch = transferred_item_details[transferred_item_key][0] fifo_queue.append(batch) - transferred_item_details[((d.voucher_no, d.name))].pop(0) + transferred_item_details[transferred_item_key].pop(0) else: if serial_no_list: for serial_no in serial_no_list: @@ -205,11 +207,11 @@ def get_fifo_queue(filters, sle=None): # if batch qty > 0 # not enough or exactly same qty in current batch, clear batch qty_to_pop -= flt(batch[0]) - transferred_item_details[(d.voucher_no, d.name)].append(fifo_queue.pop(0)) + transferred_item_details[transferred_item_key].append(fifo_queue.pop(0)) else: # all from current batch batch[0] = flt(batch[0]) - qty_to_pop - transferred_item_details[(d.voucher_no, d.name)].append([qty_to_pop, batch[1]]) + transferred_item_details[transferred_item_key].append([qty_to_pop, batch[1]]) qty_to_pop = 0 item_details[key]["qty_after_transaction"] = d.qty_after_transaction From 96bd65e2038c1eda966711fe45b0838a2754d315 Mon Sep 17 00:00:00 2001 From: Rucha Mahabal Date: Mon, 19 Oct 2020 10:41:25 +0530 Subject: [PATCH 34/49] fix: duplicate validation for Course Enrollment (#23659) * fix: duplicate validation for Course Enrollment * fix: clean-up failing tests --- .../doctype/course_enrollment/course_enrollment.py | 12 +++++++++--- .../course_enrollment/test_course_enrollment.py | 14 ++++++++++++-- erpnext/education/doctype/program/test_program.py | 5 +++++ .../program_enrollment/test_program_enrollment.py | 11 ++++++++++- erpnext/education/doctype/student/student.py | 2 +- erpnext/education/doctype/student/test_student.py | 10 ++++++++++ 6 files changed, 47 insertions(+), 7 deletions(-) diff --git a/erpnext/education/doctype/course_enrollment/course_enrollment.py b/erpnext/education/doctype/course_enrollment/course_enrollment.py index b082be2aa2..f7aa6e9fc1 100644 --- a/erpnext/education/doctype/course_enrollment/course_enrollment.py +++ b/erpnext/education/doctype/course_enrollment/course_enrollment.py @@ -6,9 +6,13 @@ from __future__ import unicode_literals import frappe from frappe import _ from frappe.model.document import Document +from frappe.utils import get_link_to_form from functools import reduce class CourseEnrollment(Document): + def validate(self): + self.validate_duplication() + def get_progress(self, student): """ Returns Progress of given student for a particular course enrollment @@ -27,13 +31,15 @@ class CourseEnrollment(Document): return [] def validate_duplication(self): - enrollment = frappe.get_all("Course Enrollment", filters={ + enrollment = frappe.db.exists("Course Enrollment", { "student": self.student, "course": self.course, - "program_enrollment": self.program_enrollment + "program_enrollment": self.program_enrollment, + "name": ("!=", self.name) }) if enrollment: - frappe.throw(_("Student is already enrolled.")) + frappe.throw(_("Student is already enrolled via Course Enrollment {0}").format( + get_link_to_form("Course Enrollment", enrollment)), title=_('Duplicate Entry')) def add_quiz_activity(self, quiz_name, quiz_response, answers, score, status): result = {k: ('Correct' if v else 'Wrong') for k,v in answers.items()} diff --git a/erpnext/education/doctype/course_enrollment/test_course_enrollment.py b/erpnext/education/doctype/course_enrollment/test_course_enrollment.py index 5ecace2a60..e22c7ce0ba 100644 --- a/erpnext/education/doctype/course_enrollment/test_course_enrollment.py +++ b/erpnext/education/doctype/course_enrollment/test_course_enrollment.py @@ -17,8 +17,9 @@ class TestCourseEnrollment(unittest.TestCase): setup_program() student = create_student({"first_name": "_Test First", "last_name": "_Test Last", "email": "_test_student_1@example.com"}) program_enrollment = student.enroll_in_program("_Test Program") - course_enrollment = student.enroll_in_course("_Test Course 1", program_enrollment.name) - make_course_activity(course_enrollment.name, "Article", "_Test Article 1-1") + course_enrollment = frappe.db.get_value("Course Enrollment", + {"course": "_Test Course 1", "student": student.name, "program_enrollment": program_enrollment.name}, 'name') + make_course_activity(course_enrollment, "Article", "_Test Article 1-1") def test_get_progress(self): student = get_student("_test_student_1@example.com") @@ -30,5 +31,14 @@ class TestCourseEnrollment(unittest.TestCase): self.assertTrue(finished in progress) frappe.db.rollback() + def tearDown(self): + for entry in frappe.db.get_all("Course Enrollment"): + frappe.delete_doc("Course Enrollment", entry.name) + + for entry in frappe.db.get_all("Program Enrollment"): + doc = frappe.get_doc("Program Enrollment", entry.name) + doc.cancel() + doc.delete() + diff --git a/erpnext/education/doctype/program/test_program.py b/erpnext/education/doctype/program/test_program.py index edfad0d23b..d753036511 100644 --- a/erpnext/education/doctype/program/test_program.py +++ b/erpnext/education/doctype/program/test_program.py @@ -49,6 +49,11 @@ class TestProgram(unittest.TestCase): self.assertEqual(course[1].name, "_Test Course 2") frappe.db.rollback() + def tearDown(self): + for dt in ["Program", "Course", "Topic", "Article"]: + for entry in frappe.get_all(dt): + frappe.delete_doc(dt, entry.program) + def make_program(name): program = frappe.get_doc({ "doctype": "Program", diff --git a/erpnext/education/doctype/program_enrollment/test_program_enrollment.py b/erpnext/education/doctype/program_enrollment/test_program_enrollment.py index c6cbee1b75..fec6422e75 100644 --- a/erpnext/education/doctype/program_enrollment/test_program_enrollment.py +++ b/erpnext/education/doctype/program_enrollment/test_program_enrollment.py @@ -23,4 +23,13 @@ class TestProgramEnrollment(unittest.TestCase): course_enrollments = student.get_all_course_enrollments() self.assertTrue("_Test Course 1" in course_enrollments.keys()) self.assertTrue("_Test Course 2" in course_enrollments.keys()) - frappe.db.rollback() \ No newline at end of file + frappe.db.rollback() + + def tearDown(self): + for entry in frappe.db.get_all("Course Enrollment"): + frappe.delete_doc("Course Enrollment", entry.name) + + for entry in frappe.db.get_all("Program Enrollment"): + doc = frappe.get_doc("Program Enrollment", entry.name) + doc.cancel() + doc.delete() \ No newline at end of file diff --git a/erpnext/education/doctype/student/student.py b/erpnext/education/doctype/student/student.py index e0d7514177..81626f1918 100644 --- a/erpnext/education/doctype/student/student.py +++ b/erpnext/education/doctype/student/student.py @@ -147,7 +147,7 @@ class Student(Document): enrollment.save(ignore_permissions=True) except frappe.exceptions.ValidationError: enrollment_name = frappe.get_list("Course Enrollment", filters={"student": self.name, "course": course_name, "program_enrollment": program_enrollment})[0].name - return frappe.get_doc("Program Enrollment", enrollment_name) + return frappe.get_doc("Course Enrollment", enrollment_name) else: return enrollment diff --git a/erpnext/education/doctype/student/test_student.py b/erpnext/education/doctype/student/test_student.py index 8610edbf28..2e5263788f 100644 --- a/erpnext/education/doctype/student/test_student.py +++ b/erpnext/education/doctype/student/test_student.py @@ -42,6 +42,16 @@ class TestStudent(unittest.TestCase): self.assertTrue("_Test Course 2" in course_enrollments.keys()) frappe.db.rollback() + def tearDown(self): + for entry in frappe.db.get_all("Course Enrollment"): + frappe.delete_doc("Course Enrollment", entry.name) + + for entry in frappe.db.get_all("Program Enrollment"): + doc = frappe.get_doc("Program Enrollment", entry.name) + doc.cancel() + doc.delete() + + def create_student(student_dict): student = get_student(student_dict['email']) if not student: From 083f3fd981b50777a6710691dd7c6dc4e17c857e Mon Sep 17 00:00:00 2001 From: Frappe PR Bot Date: Mon, 19 Oct 2020 11:19:27 +0530 Subject: [PATCH 35/49] chore: Update translations (#23677) Co-authored-by: frappe Co-authored-by: Nabin Hait --- erpnext/translations/af.csv | 67 ++++++++++++++++++--------- erpnext/translations/am.csv | 67 ++++++++++++++++++--------- erpnext/translations/ar.csv | 85 +++++++++++++++++++++------------- erpnext/translations/bg.csv | 67 ++++++++++++++++++--------- erpnext/translations/bn.csv | 67 ++++++++++++++++++--------- erpnext/translations/bs.csv | 67 ++++++++++++++++++--------- erpnext/translations/ca.csv | 67 ++++++++++++++++++--------- erpnext/translations/cs.csv | 67 ++++++++++++++++++--------- erpnext/translations/da.csv | 67 ++++++++++++++++++--------- erpnext/translations/de.csv | 67 ++++++++++++++++++--------- erpnext/translations/el.csv | 67 ++++++++++++++++++--------- erpnext/translations/es.csv | 67 ++++++++++++++++++--------- erpnext/translations/es_gt.csv | 1 - erpnext/translations/es_pe.csv | 3 -- erpnext/translations/et.csv | 67 ++++++++++++++++++--------- erpnext/translations/fa.csv | 67 ++++++++++++++++++--------- erpnext/translations/fi.csv | 67 ++++++++++++++++++--------- erpnext/translations/fr.csv | 67 ++++++++++++++++++--------- erpnext/translations/gu.csv | 67 ++++++++++++++++++--------- erpnext/translations/he.csv | 67 ++++++++++++++++++--------- erpnext/translations/hi.csv | 67 ++++++++++++++++++--------- erpnext/translations/hr.csv | 67 ++++++++++++++++++--------- erpnext/translations/hu.csv | 67 ++++++++++++++++++--------- erpnext/translations/id.csv | 67 ++++++++++++++++++--------- erpnext/translations/is.csv | 67 ++++++++++++++++++--------- erpnext/translations/it.csv | 67 ++++++++++++++++++--------- erpnext/translations/ja.csv | 67 ++++++++++++++++++--------- erpnext/translations/km.csv | 67 ++++++++++++++++++--------- erpnext/translations/kn.csv | 67 ++++++++++++++++++--------- erpnext/translations/ko.csv | 67 ++++++++++++++++++--------- erpnext/translations/ku.csv | 67 ++++++++++++++++++--------- erpnext/translations/lo.csv | 67 ++++++++++++++++++--------- erpnext/translations/lt.csv | 67 ++++++++++++++++++--------- erpnext/translations/lv.csv | 67 ++++++++++++++++++--------- erpnext/translations/mk.csv | 67 ++++++++++++++++++--------- erpnext/translations/ml.csv | 67 ++++++++++++++++++--------- erpnext/translations/mr.csv | 67 ++++++++++++++++++--------- erpnext/translations/ms.csv | 67 ++++++++++++++++++--------- erpnext/translations/my.csv | 67 ++++++++++++++++++--------- erpnext/translations/nl.csv | 67 ++++++++++++++++++--------- erpnext/translations/no.csv | 67 ++++++++++++++++++--------- erpnext/translations/pl.csv | 67 ++++++++++++++++++--------- erpnext/translations/ps.csv | 67 ++++++++++++++++++--------- erpnext/translations/pt.csv | 67 ++++++++++++++++++--------- erpnext/translations/pt_br.csv | 8 ---- erpnext/translations/ro.csv | 67 ++++++++++++++++++--------- erpnext/translations/ru.csv | 67 ++++++++++++++++++--------- erpnext/translations/rw.csv | 67 ++++++++++++++++++--------- erpnext/translations/si.csv | 67 ++++++++++++++++++--------- erpnext/translations/sk.csv | 67 ++++++++++++++++++--------- erpnext/translations/sl.csv | 67 ++++++++++++++++++--------- erpnext/translations/sq.csv | 67 ++++++++++++++++++--------- erpnext/translations/sr.csv | 67 ++++++++++++++++++--------- erpnext/translations/sr_sp.csv | 1 - erpnext/translations/sv.csv | 67 ++++++++++++++++++--------- erpnext/translations/sw.csv | 67 ++++++++++++++++++--------- erpnext/translations/ta.csv | 67 ++++++++++++++++++--------- erpnext/translations/te.csv | 67 ++++++++++++++++++--------- erpnext/translations/th.csv | 67 ++++++++++++++++++--------- erpnext/translations/tr.csv | 67 ++++++++++++++++++--------- erpnext/translations/uk.csv | 67 ++++++++++++++++++--------- erpnext/translations/ur.csv | 67 ++++++++++++++++++--------- erpnext/translations/uz.csv | 67 ++++++++++++++++++--------- erpnext/translations/vi.csv | 67 ++++++++++++++++++--------- erpnext/translations/zh.csv | 67 ++++++++++++++++++--------- erpnext/translations/zh_tw.csv | 65 +++++++++++++++++--------- 66 files changed, 2797 insertions(+), 1386 deletions(-) diff --git a/erpnext/translations/af.csv b/erpnext/translations/af.csv index a604ca31a4..c41118415e 100644 --- a/erpnext/translations/af.csv +++ b/erpnext/translations/af.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Heffing van t Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,Kostes word opgedateer in Aankoopontvangste teen elke item, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Kostes sal proporsioneel verdeel word op grond van die hoeveelheid of hoeveelheid van die produk, soos per u keuse", -Chart Of Accounts,Grafiek van rekeninge, Chart of Cost Centers,Grafiek van kostesentrums, Check all,Kyk alles, Checkout,Uitteken, @@ -581,7 +580,6 @@ Company {0} does not exist,Maatskappy {0} bestaan nie, Compensatory Off,Kompenserende Off, Compensatory leave request days not in valid holidays,Vergoedingsverlof versoek dae nie in geldige vakansiedae, Complaint,klagte, -Completed Qty can not be greater than 'Qty to Manufacture',Voltooide hoeveelheid kan nie groter wees as 'Hoeveelheid om te vervaardig' nie, Completion Date,voltooiingsdatum, Computer,rekenaar, Condition,toestand, @@ -2033,7 +2031,6 @@ Please select Category first,Kies asseblief Kategorie eerste, Please select Charge Type first,Kies asseblief die laastipe eers, Please select Company,Kies asseblief Maatskappy, Please select Company and Designation,Kies asseblief Maatskappy en Aanwysing, -Please select Company and Party Type first,Kies asseblief eers Maatskappy- en Partytipe, Please select Company and Posting Date to getting entries,Kies asseblief Maatskappy en Posdatum om inskrywings te kry, Please select Company first,Kies asseblief Maatskappy eerste, Please select Completion Date for Completed Asset Maintenance Log,Kies asseblief Voltooiingsdatum vir voltooide bateonderhoudslog, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Die naam van The name of your company for which you are setting up this system.,Die naam van u maatskappy waarvoor u hierdie stelsel opstel., The number of shares and the share numbers are inconsistent,Die aantal aandele en die aandele is onbestaanbaar, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Die betaling gateway rekening in plan {0} verskil van die betaling gateway rekening in hierdie betaling versoek, -The request for quotation can be accessed by clicking on the following link,Die versoek om kwotasie kan verkry word deur op die volgende skakel te kliek, The selected BOMs are not for the same item,Die gekose BOM's is nie vir dieselfde item nie, The selected item cannot have Batch,Die gekose item kan nie Batch hê nie, The seller and the buyer cannot be the same,Die verkoper en die koper kan nie dieselfde wees nie, @@ -3543,7 +3539,6 @@ Company GSTIN,Maatskappy GSTIN, Company field is required,Ondernemingsveld word vereis, Creating Dimensions...,Skep dimensies ..., Duplicate entry against the item code {0} and manufacturer {1},Dupliseer inskrywing teen die itemkode {0} en vervaardiger {1}, -Import Chart Of Accounts from CSV / Excel files,Voer rekeningkaart uit CSV / Excel-lêers in, 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 invoer wat u ingevoer het, stem nie ooreen met die GSTIN-formaat vir UIN-houers of OIDAR-diensverskaffers wat nie inwoon nie", Invoice Grand Total,Faktuur groot totaal, Last carbon check date cannot be a future date,Die laaste datum vir koolstoftoets kan nie 'n toekoms wees nie, @@ -3920,7 +3915,6 @@ Plaid authentication error,Plaid-verifikasiefout, Plaid public token error,Geplaaste openbare tekenfout, Plaid transactions sync error,Gesinkroniseerfout in plaidtransaksies, Please check the error log for details about the import errors,Kontroleer die foutlogboek vir meer inligting oor die invoerfoute, -Please click on the following link to set your new password,Klik asseblief op die volgende skakel om u nuwe wagwoord te stel, Please create DATEV Settings for Company {}.,Skep asseblief DATEV-instellings vir die maatskappy {} ., Please create adjustment Journal Entry for amount {0} ,Skep 'n aanpassingsjoernaalinskrywing vir bedrag {0}, Please do not create more than 500 items at a time,Moenie meer as 500 items op 'n slag skep nie, @@ -4043,7 +4037,6 @@ Search results for,Soek resultate vir, Select All,Kies Alles, Select Difference Account,Kies Verskilrekening, Select a Default Priority.,Kies 'n standaardprioriteit., -Select a Supplier from the Default Supplier List of the items below.,Kies 'n verskaffer uit die standaardverskafferlys van die onderstaande items., Select a company,Kies 'n maatskappy, Select finance book for the item {0} at row {1},Kies finansieringsboek vir die item {0} op ry {1}, Select only one Priority as Default.,Kies slegs een prioriteit as verstek., @@ -4247,7 +4240,6 @@ Yes,Ja, Actual ,werklike, Add to cart,Voeg by die winkelwagen, Budget,begroting, -Chart Of Accounts Importer,Invoerder van rekeningrekeninge, Chart of Accounts,Tabel van rekeninge, Customer database.,Kliënt databasis., Days Since Last order,Dae sedert die laaste bestelling, @@ -4939,7 +4931,6 @@ Closing Account Head,Sluitingsrekeninghoof, POS Customer Group,POS kliënt groep, POS Field,POS veld, POS Item Group,POS Item Group, -[Select],[Kies], Company Address,Maatskappyadres, Update Stock,Werk Voorraad, Ignore Pricing Rule,Ignoreer prysreël, @@ -6597,11 +6588,6 @@ Relieving Date,Ontslagdatum, Reason for Leaving,Rede vir vertrek, Leave Encashed?,Verlaten verlaat?, Encashment Date,Bevestigingsdatum, -Exit Interview Details,Afhanklike onderhoudsbesonderhede, -Held On,Aangehou, -Reason for Resignation,Rede vir bedanking, -Better Prospects,Beter vooruitsigte, -Health Concerns,Gesondheid Kommer, New Workplace,Nuwe werkplek, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Terugbetaalde bedrag, @@ -8237,9 +8223,6 @@ Landed Cost Help,Landed Cost Help, Manufacturers used in Items,Vervaardigers gebruik in items, Limited to 12 characters,Beperk tot 12 karakters, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Stel pakhuis, -Sets 'For Warehouse' in each row of the Items table.,Stel 'Vir pakhuis' in elke ry van die Artikeltabel in., -Requested For,Gevra vir, Partially Ordered,Gedeeltelik bestel, Transferred,oorgedra, % Ordered,% Bestel, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Materiaalversoekpakhuis, Select warehouse for material requests,Kies pakhuis vir materiaalversoeke, Transfer Materials For Warehouse {0},Oordragmateriaal vir pakhuis {0}, Production Plan Material Request Warehouse,Produksieplan Materiaalversoekpakhuis, -Set From Warehouse,Stel vanaf pakhuis, -Source Warehouse (Material Transfer),Bronpakhuis (materiaaloordrag), Sets 'Source Warehouse' in each row of the items table.,Stel 'Bronpakhuis' in elke ry van die artikeltabel in., Sets 'Target Warehouse' in each row of the items table.,Stel 'Target Warehouse' in elke ry van die artikeltabel in., Show Cancelled Entries,Wys gekanselleerde inskrywings, @@ -9155,7 +9136,6 @@ Professional Tax,Professionele belasting, Is Income Tax Component,Is inkomstebelasting komponent, Component properties and references ,Komponenteienskappe en verwysings, Additional Salary ,Bykomende salaris, -Condtion and formula,Kondisie en formule, Unmarked days,Ongemerkte dae, Absent Days,Afwesige dae, Conditions and Formula variable and example,Voorwaardes en formule veranderlike en voorbeeld, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Plaid ongeldige versoekfout, Please check your Plaid client ID and secret values,Gaan u Plaid-kliënt-ID en geheime waardes na, Bank transaction creation error,Fout met die skep van banktransaksies, Unit of Measurement,Eenheid van mate, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Ry # {}: die verkoopkoers vir item {} is laer as die {}. Verkoopprys moet ten minste {} wees, Fiscal Year {0} Does Not Exist,Fiskale jaar {0} bestaan nie, Row # {0}: Returned Item {1} does not exist in {2} {3},Ry # {0}: Teruggestuurde item {1} bestaan nie in {2} {3}, Valuation type charges can not be marked as Inclusive,Kostes van waardasie kan nie as Inklusief gemerk word nie, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Stel reaksiet Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Die responstyd vir {0} prioriteit in ry {1} kan nie langer wees as die resolusietyd nie., {0} is not enabled in {1},{0} is nie geaktiveer in {1}, Group by Material Request,Groepeer volgens materiaalversoek, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Ry {0}: Vir verskaffer {0} word e-posadres vereis om e-pos te stuur, Email Sent to Supplier {0},E-pos gestuur aan verskaffer {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",Die toegang tot die versoek vir 'n kwotasie vanaf die portaal is uitgeskakel. Skakel dit in Portaalinstellings in om toegang te verleen., Supplier Quotation {0} Created,Kwotasie van verskaffer {0} geskep, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Die totale gewigstoekennin Account {0} exists in parent company {1}.,Rekening {0} bestaan in moedermaatskappy {1}., "To overrule this, enable '{0}' in company {1}",Skakel '{0}' in die maatskappy {1} in om dit te oorheers., Invalid condition expression,Ongeldige toestandsuitdrukking, +Please Select a Company First,Kies eers 'n maatskappy, +Please Select Both Company and Party Type First,Kies asseblief eers die maatskappy en die partytjie, +Provide the invoice portion in percent,Verskaf die faktuurgedeelte in persent, +Give number of days according to prior selection,Gee die aantal dae volgens voorafgaande keuse, +Email Details,E-posbesonderhede, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Kies 'n groet vir die ontvanger. Bv. Mnr., Me., Ens.", +Preview Email,Voorskou e-pos, +Please select a Supplier,Kies 'n verskaffer, +Supplier Lead Time (days),Leveringstyd (dae), +"Home, Work, etc.","Huis, werk, ens.", +Exit Interview Held On,Uitgangsonderhoud gehou, +Condition and formula,Toestand en formule, +Sets 'Target Warehouse' in each row of the Items table.,Stel 'Target Warehouse' in elke ry van die Items-tabel., +Sets 'Source Warehouse' in each row of the Items table.,Stel 'Bronpakhuis' in elke ry van die Artikeltabel in., +POS Register,POS-register, +"Can not filter based on POS Profile, if grouped by POS Profile","Kan nie gebaseer op POS-profiel filter nie, indien dit gegroepeer is volgens POS-profiel", +"Can not filter based on Customer, if grouped by Customer","Kan nie op grond van die klant filter nie, indien dit volgens die klant gegroepeer is", +"Can not filter based on Cashier, if grouped by Cashier","Kan nie filter op grond van Kassier nie, indien dit gegroepeer is volgens Kassier", +Payment Method,Betalings metode, +"Can not filter based on Payment Method, if grouped by Payment Method","Kan nie op grond van die betaalmetode filter nie, indien dit gegroepeer is volgens die betaalmetode", +Supplier Quotation Comparison,Vergelyking tussen kwotasies van verskaffers, +Price per Unit (Stock UOM),Prys per eenheid (voorraad UOM), +Group by Supplier,Groepeer volgens verskaffer, +Group by Item,Groepeer volgens item, +Remember to set {field_label}. It is required by {regulation}.,Onthou om {field_label} in te stel. Dit word deur {regulasie} vereis., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Inskrywingsdatum kan nie voor die begindatum van die akademiese jaar wees nie {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Inskrywingsdatum kan nie na die einddatum van die akademiese termyn {0} wees nie, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Inskrywingsdatum kan nie voor die begindatum van die akademiese termyn {0} wees nie, +Posting future transactions are not allowed due to Immutable Ledger,As gevolg van Immutable Ledger word toekomstige transaksies nie toegelaat nie, +Future Posting Not Allowed,Toekomstige plasing word nie toegelaat nie, +"To enable Capital Work in Progress Accounting, ","Om rekeningkundige kapitaalwerk moontlik te maak,", +you must select Capital Work in Progress Account in accounts table,u moet Capital Work in Progress-rekening in die rekeningtabel kies, +You can also set default CWIP account in Company {},U kan ook die standaard CWIP-rekening instel in die maatskappy {}, +The Request for Quotation can be accessed by clicking on the following button,Toegang tot die versoek vir 'n kwotasie is deur op die volgende knoppie te klik, +Regards,Groete, +Please click on the following button to set your new password,Klik op die volgende knoppie om u nuwe wagwoord in te stel, +Update Password,Wagwoord op te dateer, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Ry # {}: die verkoopkoers vir item {} is laer as die {}. Verkoop {} moet ten minste {} wees, +You can alternatively disable selling price validation in {} to bypass this validation.,U kan ook die validering van verkooppryse in {} deaktiveer om hierdie validering te omseil., +Invalid Selling Price,Ongeldige verkoopprys, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Adres moet aan 'n maatskappy gekoppel word. Voeg asseblief 'n ry vir Company in die skakeltabel., +Company Not Linked,Maatskappy nie gekoppel nie, +Import Chart of Accounts from CSV / Excel files,Voer rekeningrekeninge in vanaf CSV / Excel-lêers, +Completed Qty cannot be greater than 'Qty to Manufacture',Voltooide hoeveelheid kan nie groter wees as 'hoeveelheid om te vervaardig', +"Row {0}: For Supplier {1}, Email Address is Required to send an email",Ry {0}: Vir verskaffer {1} word e-posadres vereis om 'n e-pos te stuur, diff --git a/erpnext/translations/am.csv b/erpnext/translations/am.csv index e80f811768..08bbbd19ff 100644 --- a/erpnext/translations/am.csv +++ b/erpnext/translations/am.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,አይነት Chargeble,ቻርጅ, Charges are updated in Purchase Receipt against each item,ክፍያዎች እያንዳንዱ ንጥል ላይ የግዢ ደረሰኝ ውስጥ መዘመን ነው, "Charges will be distributed proportionately based on item qty or amount, as per your selection","ክፍያዎች ተመጣጣኝ መጠን በእርስዎ ምርጫ መሠረት, ንጥል ብዛት ወይም መጠን ላይ በመመርኮዝ መሰራጨት ይሆናል", -Chart Of Accounts,መለያዎች ገበታ, Chart of Cost Centers,ወጪ ማዕከላት ገበታ, Check all,ሁሉንም ይመልከቱ, Checkout,ጨርሰህ ውጣ, @@ -581,7 +580,6 @@ Company {0} does not exist,ኩባንያ {0} የለም, Compensatory Off,የማካካሻ አጥፋ, Compensatory leave request days not in valid holidays,ተቀባይነት ባላቸው በዓላት ውስጥ ክፍያ የማይሰጥ የቀን የጥበቃ ቀን ጥያቄ, Complaint,ቅሬታ, -Completed Qty can not be greater than 'Qty to Manufacture',ይልቅ 'ብዛት ለማምረት' ተጠናቋል ብዛት የበለጠ መሆን አይችልም, Completion Date,ማጠናቀቂያ ቀን, Computer,ኮምፕዩተር, Condition,ሁኔታ, @@ -2033,7 +2031,6 @@ Please select Category first,የመጀመሪያው ምድብ ይምረጡ, Please select Charge Type first,በመጀመሪያ የክፍያ አይነት ይምረጡ, Please select Company,ኩባንያ ይምረጡ, Please select Company and Designation,እባክዎ ኩባንያ እና ዲዛይን ይምረጡ, -Please select Company and Party Type first,በመጀመሪያ ኩባንያ እና የፓርቲ አይነት ይምረጡ, Please select Company and Posting Date to getting entries,እባክዎ ግቤቶችን ለመመዝገብ እባክዎ ኩባንያ እና የድረ-ገጽ ቀንን ይምረጡ, Please select Company first,መጀመሪያ ኩባንያ እባክዎ ይምረጡ, Please select Completion Date for Completed Asset Maintenance Log,እባክዎን ለተጠናቀቀው የንብረት ጥገና ምዝግብ ማስታወሻ ቀነ-ገደብ ይምረጡ, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,ተቋሙ The name of your company for which you are setting up this system.,የእርስዎን ኩባንያ ስም ስለ እናንተ ይህ ሥርዓት ማዋቀር ነው., The number of shares and the share numbers are inconsistent,የአክሲዮኖች ቁጥር እና የማካካሻ ቁጥሮች ወጥ ናቸው, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,የክፍያ ዕቅድ ክፍያ በእቅድ {0} ውስጥ በዚህ የክፍያ ጥያቄ ውስጥ ካለው የክፍያ በር መለያ የተለየ ነው።, -The request for quotation can be accessed by clicking on the following link,ጥቅስ ለማግኘት ጥያቄው በሚከተለው አገናኝ ላይ ጠቅ በማድረግ ሊደረስባቸው ይችላሉ, The selected BOMs are not for the same item,የተመረጡት BOMs ተመሳሳይ ንጥል አይደሉም, The selected item cannot have Batch,የተመረጠው ንጥል ባች ሊኖረው አይችልም, The seller and the buyer cannot be the same,ሻጩ እና ገዢው ተመሳሳይ መሆን አይችሉም, @@ -3543,7 +3539,6 @@ Company GSTIN,የኩባንያ GSTIN, Company field is required,የኩባንያው መስክ ያስፈልጋል።, Creating Dimensions...,ልኬቶችን በመፍጠር ላይ ..., Duplicate entry against the item code {0} and manufacturer {1},በእቃ ኮዱ {0} እና በአምራቹ {1} ላይ የተባዛ ግቤት, -Import Chart Of Accounts from CSV / Excel files,የመለያዎች ገበታዎችን ከ CSV / የ Excel ፋይሎች ያስመጡ።, 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 ቅርጸት ጋር አይጣጣምም ፡፡, Invoice Grand Total,የክፍያ መጠየቂያ ግራንድ አጠቃላይ።, Last carbon check date cannot be a future date,የመጨረሻው የካርቦን ፍተሻ ቀን የወደፊት ቀን ሊሆን አይችልም።, @@ -3920,7 +3915,6 @@ Plaid authentication error,የተዘረጋ ማረጋገጫ ስህተት።, Plaid public token error,የተዘበራረቀ የህዝብ የምስጋና የምስክር ወረቀት, Plaid transactions sync error,የተዘዋወሩ ግብይቶች የማመሳሰል ስህተት።, Please check the error log for details about the import errors,እባክዎን ስለማስመጣት ስህተቶች ዝርዝር ለማግኘት የስህተት ምዝግብ ማስታወሻውን ይመልከቱ ፡፡, -Please click on the following link to set your new password,አዲሱን የይለፍ ቃል ለማዘጋጀት በሚከተለው አገናኝ ላይ ጠቅ ያድርጉ, Please create DATEV Settings for Company {}.,እባክዎ ለኩባንያ የ DATEV ቅንብሮችን ይፍጠሩ {} ።, Please create adjustment Journal Entry for amount {0} ,እባክዎ ለቁጥር {0} ማስተካከያ ጆርናል ግቤት ይፍጠሩ, Please do not create more than 500 items at a time,እባክዎን በአንድ ጊዜ ከ 500 በላይ እቃዎችን አይፍጠሩ ፡፡, @@ -4043,7 +4037,6 @@ Search results for,የፍለጋ ውጤቶች, Select All,ሁሉንም ምረጥ, Select Difference Account,የልዩ መለያ ይምረጡ።, Select a Default Priority.,ነባሪ ቅድሚያ ይምረጡ።, -Select a Supplier from the Default Supplier List of the items below.,ከዚህ በታች ካሉት ነገሮች ነባሪ አቅራቢ ዝርዝር አቅራቢን ይምረጡ ፡፡, Select a company,ኩባንያ ይምረጡ።, Select finance book for the item {0} at row {1},ለዕቃው ፋይናንስ መጽሐፍ ይምረጡ {0} ረድፍ {1}, Select only one Priority as Default.,እንደ ነባሪ አንድ ቅድሚያ የሚሰጠውን ይምረጡ።, @@ -4247,7 +4240,6 @@ Yes,አዎ, Actual ,ትክክለኛ, Add to cart,ወደ ግዢው ቅርጫት ጨምር, Budget,ባጀት, -Chart Of Accounts Importer,የመለያዎች አስመጪ ገበታ።, Chart of Accounts,የአድራሻዎች ዝርዝር, Customer database.,የደንበኛ ውሂብ ጎታ., Days Since Last order,የመጨረሻ ትዕዛዝ ጀምሮ ቀናት, @@ -4939,7 +4931,6 @@ Closing Account Head,የመለያ ኃላፊ በመዝጋት ላይ, POS Customer Group,POS የደንበኛ ቡድን, POS Field,POS መስክ, POS Item Group,POS ንጥል ቡድን, -[Select],[ምረጥ], Company Address,የኩባንያ አድራሻ, Update Stock,አዘምን Stock, Ignore Pricing Rule,የዋጋ አሰጣጥ ደንብ ችላ, @@ -6597,11 +6588,6 @@ Relieving Date,ማስታገሻ ቀን, Reason for Leaving,የምትሄድበት ምክንያት, Leave Encashed?,Encashed ይውጡ?, Encashment Date,Encashment ቀን, -Exit Interview Details,መውጫ ቃለ ዝርዝሮች, -Held On,የተያዙ ላይ, -Reason for Resignation,ሥራ መልቀቅ ለ ምክንያት, -Better Prospects,የተሻለ ተስፋ, -Health Concerns,የጤና ሰጋት, New Workplace,አዲስ በሥራ ቦታ, HR-EAD-.YYYY.-,ሃ-ኤአር-ያዮያን.-, Returned Amount,የተመለሰው መጠን, @@ -8237,9 +8223,6 @@ Landed Cost Help,አረፈ ወጪ እገዛ, Manufacturers used in Items,ንጥሎች ውስጥ ጥቅም ላይ አምራቾች, Limited to 12 characters,12 ቁምፊዎች የተገደበ, MAT-MR-.YYYY.-,ት እሚል-ያሲ-ያዮያን.-, -Set Warehouse,መጋዘን ያዘጋጁ, -Sets 'For Warehouse' in each row of the Items table.,በእቃዎቹ ሰንጠረዥ በእያንዳንዱ ረድፍ ‹ለመጋዘን› ያዘጋጃል ፡፡, -Requested For,ለ ተጠይቋል, Partially Ordered,በከፊል የታዘዘ, Transferred,ተላልፈዋል, % Ordered,% የዕቃው መረጃ, @@ -8688,8 +8671,6 @@ Material Request Warehouse,የቁሳቁስ ጥያቄ መጋዘን, Select warehouse for material requests,ለቁሳዊ ጥያቄዎች መጋዘን ይምረጡ, Transfer Materials For Warehouse {0},ቁሳቁሶችን ለመጋዘን ያስተላልፉ {0}, Production Plan Material Request Warehouse,የምርት እቅድ ቁሳቁስ ጥያቄ መጋዘን, -Set From Warehouse,ከመጋዘን ተዘጋጅ, -Source Warehouse (Material Transfer),ምንጭ መጋዘን (ቁሳቁስ ማስተላለፍ), Sets 'Source Warehouse' in each row of the items table.,በእያንዲንደ የእቃ ሰንጠረ tableች ረድፍ ውስጥ ‹ምንጭ መጋዘን› ያዘጋጃሌ ፡፡, Sets 'Target Warehouse' in each row of the items table.,በእያንዲንደ የጠረጴዛዎች ረድፍ ውስጥ ‹ዒላማ መጋዘን› ያዘጋጃሌ ፡፡, Show Cancelled Entries,የተሰረዙ ግቤቶችን አሳይ, @@ -9155,7 +9136,6 @@ Professional Tax,የሙያ ግብር, Is Income Tax Component,የገቢ ግብር አካል ነው, Component properties and references ,የአካል ክፍሎች እና ማጣቀሻዎች, Additional Salary ,ተጨማሪ ደመወዝ, -Condtion and formula,መጨናነቅ እና ቀመር, Unmarked days,ምልክት ያልተደረገባቸው ቀናት, Absent Days,የቀሩ ቀናት, Conditions and Formula variable and example,ሁኔታዎች እና የቀመር ተለዋዋጭ እና ምሳሌ, @@ -9442,7 +9422,6 @@ Plaid invalid request error,ትክክለኛ ያልሆነ የጥያቄ ስህተ Please check your Plaid client ID and secret values,እባክዎ የፕላድ ደንበኛ መታወቂያዎን እና ሚስጥራዊ እሴቶችዎን ያረጋግጡ, Bank transaction creation error,የባንክ ግብይት መፍጠር ስህተት, Unit of Measurement,የመለኪያ አሃድ, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},ረድፍ # {}: ለንጥል የመሸጥ መጠን {} ከእሱ ያነሰ ነው። የመሸጥ መጠን ቢያንስ ቢያንስ መሆን አለበት {}, Fiscal Year {0} Does Not Exist,የበጀት ዓመት {0} የለም, Row # {0}: Returned Item {1} does not exist in {2} {3},ረድፍ # {0}: የተመለሰ ንጥል {1} በ {2} {3} ውስጥ የለም, Valuation type charges can not be marked as Inclusive,የዋጋ አሰጣጥ አይነት ክፍያዎች ሁሉን ያካተተ ሆኖ ምልክት ሊደረግባቸው አይቻልም, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,የምላሽ Response Time for {0} priority in row {1} can't be greater than Resolution Time.,የምላሽ ጊዜ ለ {0} በተከታታይ ቅድሚያ የሚሰጠው {1} ከመፍትሔው ጊዜ ሊበልጥ አይችልም።, {0} is not enabled in {1},{0} በ {1} ውስጥ አልነቃም, Group by Material Request,በቁሳዊ ጥያቄ በቡድን, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",ረድፍ {0} ለአቅራቢው {0} ኢሜል ለመላክ የኢሜል አድራሻ ያስፈልጋል, Email Sent to Supplier {0},ለአቅራቢ ኢሜይል ተልኳል {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",ከመግቢያው የጥቆማ ጥያቄ መዳረሻ ተሰናክሏል ፡፡ መዳረሻን ለመፍቀድ በ Portal ቅንብሮች ውስጥ ያንቁት።, Supplier Quotation {0} Created,የአቅራቢ ጥቅስ {0} ተፈጥሯል, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},የተመደበው አጠ Account {0} exists in parent company {1}.,መለያ {0} በወላጅ ኩባንያ ውስጥ አለ {1}።, "To overrule this, enable '{0}' in company {1}",ይህንን ለመሻር በኩባንያው ውስጥ {0} ን ያንቁ {1}, Invalid condition expression,ልክ ያልሆነ ሁኔታ መግለጫ, +Please Select a Company First,እባክዎ መጀመሪያ አንድ ኩባንያ ይምረጡ, +Please Select Both Company and Party Type First,እባክዎ መጀመሪያ ሁለቱንም ኩባንያ እና የድግስ ዓይነት ይምረጡ, +Provide the invoice portion in percent,የክፍያ መጠየቂያውን ክፍል በመቶኛ ያቅርቡ, +Give number of days according to prior selection,በቀድሞው ምርጫ መሠረት የቀናትን ቁጥር ይስጡ, +Email Details,የኢሜል ዝርዝሮች, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.",ለተቀባዩ ሰላምታ ይምረጡ ፡፡ ለምሳሌ ሚስተር ወይዘሮ ወ.ዘ.ተ., +Preview Email,ኢሜል ቅድመ እይታ, +Please select a Supplier,እባክዎ አቅራቢ ይምረጡ, +Supplier Lead Time (days),የአቅራቢ መሪ ጊዜ (ቀናት), +"Home, Work, etc.",ቤት ፣ ሥራ ፣ ወዘተ, +Exit Interview Held On,መውጫ ቃለ መጠይቅ በርቷል, +Condition and formula,ሁኔታ እና ቀመር, +Sets 'Target Warehouse' in each row of the Items table.,በእያንዲንደ የእቃ ሰንጠረ rowች ረድፍ ውስጥ ‹ዒላማ መጋዘን› ያዘጋጃሌ ፡፡, +Sets 'Source Warehouse' in each row of the Items table.,በእያንዲንደ የእቃ ሰንጠረ rowች ረድፍ ውስጥ ‹ምንጭ መጋዘን› ያዘጋጃሌ ፡፡, +POS Register,POS ይመዝገቡ, +"Can not filter based on POS Profile, if grouped by POS Profile",በ POS መገለጫ ከተመደቡ በ POS መገለጫ ላይ ተመስርተው ማጣሪያ ማድረግ አይቻልም, +"Can not filter based on Customer, if grouped by Customer",በደንበኛው ከተመደበ በደንበኛው ላይ የተመሠረተ ማጣሪያ ማድረግ አይቻልም, +"Can not filter based on Cashier, if grouped by Cashier",በገንዘብ ተቀባዩ ከተመደቡ በገንዘብ ተቀባይ ላይ የተመሠረተ ማጣራት አይቻልም, +Payment Method,የክፍያ ዘዴ, +"Can not filter based on Payment Method, if grouped by Payment Method",በክፍያ ዘዴ ከተመደቡ በክፍያ ዘዴው መሠረት ማጣሪያ ማድረግ አይቻልም, +Supplier Quotation Comparison,የአቅራቢዎች ጥቅስ ንፅፅር, +Price per Unit (Stock UOM),ዋጋ በአንድ ክፍል (ክምችት UOM), +Group by Supplier,በአቅራቢ ቡድን, +Group by Item,በንጥል በቡድን, +Remember to set {field_label}. It is required by {regulation}.,{Field_label} ን ማቀናበርን ያስታውሱ። በ {ደንብ} ይፈለጋል።, +Enrollment Date cannot be before the Start Date of the Academic Year {0},የምዝገባ ቀን ከአካዳሚክ አመቱ መጀመሪያ ቀን በፊት መሆን አይችልም {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},የመመዝገቢያ ቀን ከትምህርታዊ ጊዜ ማብቂያ ቀን በኋላ መሆን አይችልም {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},የምዝገባ ቀን ከትምህርቱ ዘመን መጀመሪያ ቀን በፊት መሆን አይችልም {0}, +Posting future transactions are not allowed due to Immutable Ledger,በሚተላለፍ ሊደር ምክንያት የወደፊት ግብይቶችን መለጠፍ አይፈቀድም, +Future Posting Not Allowed,የወደፊቱ መለጠፍ አልተፈቀደም, +"To enable Capital Work in Progress Accounting, ",በሂሳብ አያያዝ ውስጥ የካፒታል ሥራን ለማንቃት ፣, +you must select Capital Work in Progress Account in accounts table,በሂሳብ ሰንጠረዥ ውስጥ በሂሳብ መዝገብ ውስጥ ካፒታል ሥራን መምረጥ አለብዎት, +You can also set default CWIP account in Company {},እንዲሁም ነባሪ የ CWIP መለያ በኩባንያ ውስጥ ማቀናበር ይችላሉ {}, +The Request for Quotation can be accessed by clicking on the following button,የጥያቄ ጥያቄ የሚከተለውን ቁልፍ በመጫን ማግኘት ይቻላል, +Regards,ከሰላምታ ጋር, +Please click on the following button to set your new password,አዲሱን የይለፍ ቃልዎን ለማዘጋጀት እባክዎ በሚከተለው ቁልፍ ላይ ጠቅ ያድርጉ, +Update Password,የይለፍ ቃል ያዘምኑ, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},ረድፍ # {}-ለንጥል የመሸጥ መጠን {} ከእርሷ ያነሰ ነው። መሸጥ {} ቢያንስ ቢያንስ መሆን አለበት {}, +You can alternatively disable selling price validation in {} to bypass this validation.,ይህንን ማረጋገጫ ለማለፍ በ {} ውስጥ የሽያጭ ዋጋ ማረጋገጫውን በአማራጭ ማሰናከል ይችላሉ።, +Invalid Selling Price,ልክ ያልሆነ የሽያጭ ዋጋ, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,አድራሻ ከኩባንያ ጋር መገናኘት አለበት ፡፡ እባክዎ በአገናኝስ ሰንጠረዥ ውስጥ ለኩባንያ አንድ ረድፍ ያክሉ።, +Company Not Linked,ኩባንያ አልተያያዘም, +Import Chart of Accounts from CSV / Excel files,የመለያዎች ገበታ ከ CSV / Excel ፋይሎች ያስመጡ, +Completed Qty cannot be greater than 'Qty to Manufacture',የተጠናቀቀው ኪቲ ከ ‹Qty to Manufacturere› ሊበልጥ አይችልም ፡፡, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",ረድፍ {0} ለአቅራቢ {1} ኢሜል ለመላክ የኢሜል አድራሻ ያስፈልጋል, diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv index 3d25d7c393..51395a2977 100644 --- a/erpnext/translations/ar.csv +++ b/erpnext/translations/ar.csv @@ -316,7 +316,7 @@ Authorized Signatory,المخول بالتوقيع, Auto Material Requests Generated,إنشاء طلب مواد تلقائي, Auto Repeat,تكرار تلقائي, Auto repeat document updated,تكرار تلقائي للمستندات المحدثة, -Automotive,سيارات,متحرك بطاقة ذاتية +Automotive,سيارات, Available,متاح, Available Leaves,المغادارت والاجازات المتاحة, Available Qty,الكمية المتاحة, @@ -335,10 +335,10 @@ BOM,قائمة مكونات المواد, BOM Browser,قائمة مكونات المواد متصفح, BOM No,رقم قائمة مكونات المواد, BOM Rate,سعر او معدل قائمة مكونات المواد, -BOM Stock Report,تقرير مخزون قائمة مكونات المواد, +BOM Stock Report,تقرير مخزون فاتورة المواد, BOM and Manufacturing Quantity are required,مطلوب، قائمة مكونات المواد و كمية التصنيع, -BOM does not contain any stock item,قائمة مكونات المواد لا تحتوي على أي صنف مخزون, -BOM {0} does not belong to Item {1},قائمة مكونات المواد {0} لا تنتمي إلى الصنف {1}, +BOM does not contain any stock item,فاتورة الموارد لا تحتوي على أي صنف مخزون, +BOM {0} does not belong to Item {1},قائمة المواد {0} لا تنتمي إلى الصنف {1}, BOM {0} must be active,قائمة مكونات المواد {0} يجب أن تكون نشطة\n
\nBOM {0} must be active, BOM {0} must be submitted,قائمة مكونات المواد {0} يجب أن تكون مسجلة\n
\nBOM {0} must be submitted, Balance,الموازنة, @@ -405,7 +405,7 @@ Birthday Reminder,تذكير عيد ميلاد, Black,أسود, Blanket Orders from Costumers.,أوامر شراء شاملة من العملاء., Block Invoice,حظر الفاتورة, -Boms,قوائم مكونات المواد, +Boms,قوائم المواد, Bonus Payment Date cannot be a past date,لا يمكن أن يكون تاريخ الدفع المكافأ تاريخًا سابقًا, Both Trial Period Start Date and Trial Period End Date must be set,يجب تعيين كل من تاريخ بدء الفترة التجريبية وتاريخ انتهاء الفترة التجريبية, Both Warehouse must belong to same Company,يجب أن ينتمي المستودع إلى نفس الشركة\n
\nBoth Warehouse must belong to same Company, @@ -504,9 +504,9 @@ Cash In Hand,النقدية الحاضرة, Cash or Bank Account is mandatory for making payment entry,الحساب النقدي أو البنكي مطلوب لعمل مدخل بيع
Cash or Bank Account is mandatory for making payment entry, Cashier Closing,إغلاق أمين الصندوق, Casual Leave,أجازة عادية, -Category,فئة,صنف +Category,فئة, Category Name,اسم التصنيف, -Caution,الحذر,تحذير +Caution,الحذر, Central Tax,الضريبة المركزية, Certification,شهادة, Cess,سيس, @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,الرسوم Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,تحديث الرسوم في اضافة المشتريات لكل صنف, "Charges will be distributed proportionately based on item qty or amount, as per your selection",وسيتم توزيع تستند رسوم متناسب على الكمية البند أو كمية، حسب اختيارك, -Chart Of Accounts,الشجرة المحاسبية, Chart of Cost Centers,دليل مراكز التكلفة, Check all,حدد الكل, Checkout,دفع, @@ -581,7 +580,6 @@ Company {0} does not exist,الشركة {0} غير موجودة, Compensatory Off,تعويض, Compensatory leave request days not in valid holidays,أيام طلب الإجازة التعويضية ليست في أيام العطل الصالحة, Complaint,شكوى, -Completed Qty can not be greater than 'Qty to Manufacture',"الكمية المصنعة لا يمكن أن تكون أكبر من ""كمية التصنيع""", Completion Date,تاريخ الانتهاء, Computer,الحاسوب, Condition,الحالة, @@ -1421,13 +1419,13 @@ Lab Test UOM,اختبار مختبر أوم, Lab Tests and Vital Signs,اختبارات المختبر وعلامات حيوية, Lab result datetime cannot be before testing datetime,لا يمكن أن يكون تاريخ نتيجة المختبر سابقا لتاريخ الفحص, Lab testing datetime cannot be before collection datetime,لا يمكن أن يكون وقت اختبار المختبر قبل تاريخ جمع البيانات, -Label,ملصق,'طابع +Label,ملصق, Laboratory,مختبر, Language Name,اسم اللغة, Large,كبير, Last Communication,آخر الاتصالات, Last Communication Date,تاريخ الاتصال الأخير, -Last Name,اسم العائلة او اللقب, +Last Name,اسم العائلة, Last Order Amount,قيمة آخر طلب, Last Order Date,تاريخ أخر أمر بيع, Last Purchase Price,سعر الشراء الأخير, @@ -2033,7 +2031,6 @@ Please select Category first,الرجاء تحديد التصنيف أولا\n\nPlease select Company, Please select Company and Designation,يرجى تحديد الشركة والتسمية, -Please select Company and Party Type first,يرجى تحديد الشركة ونوع الطرف المعني أولا, Please select Company and Posting Date to getting entries,يرجى تحديد الشركة وتاريخ النشر للحصول على إدخالات, Please select Company first,الرجاء تحديد الشركة أولا\n
\nPlease select Company first, Please select Completion Date for Completed Asset Maintenance Log,يرجى تحديد تاريخ الانتهاء لاستكمال سجل صيانة الأصول, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,اسم ال The name of your company for which you are setting up this system.,اسم الشركة التي كنت تقوم بإعداد هذا النظام., The number of shares and the share numbers are inconsistent,عدد الأسهم وأعداد الأسهم غير متناسقة, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,يختلف حساب بوابة الدفع في الخطة {0} عن حساب بوابة الدفع في طلب الدفع هذا, -The request for quotation can be accessed by clicking on the following link,طلب للحصول على الاقتباس يمكن الوصول إليها من خلال النقر على الرابط التالي, The selected BOMs are not for the same item,قواائم المواد المحددة ليست لنفس البند, The selected item cannot have Batch,العنصر المحدد لا يمكن أن يكون دفعة, The seller and the buyer cannot be the same,البائع والمشتري لا يمكن أن يكون هو نفسه, @@ -3543,7 +3539,6 @@ Company GSTIN,شركة غستين, Company field is required,حقل الشركة مطلوب, Creating Dimensions...,إنشاء الأبعاد ..., Duplicate entry against the item code {0} and manufacturer {1},إدخال مكرر مقابل رمز العنصر {0} والشركة المصنعة {1}, -Import Chart Of Accounts from CSV / Excel files,استيراد الرسم البياني للحسابات من ملفات CSV / Excel, 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 غير المقيمين, Invoice Grand Total,الفاتورة الكبرى المجموع, Last carbon check date cannot be a future date,لا يمكن أن يكون تاريخ فحص الكربون الأخير تاريخًا مستقبلاً, @@ -3920,7 +3915,6 @@ Plaid authentication error,خطأ مصادقة منقوشة, Plaid public token error,خطأ رمزي عام منقوش, Plaid transactions sync error,خطأ في مزامنة المعاملات المنقوشة, Please check the error log for details about the import errors,الرجاء التحقق من سجل الأخطاء للحصول على تفاصيل حول أخطاء الاستيراد, -Please click on the following link to set your new password,الرجاء الضغط على الرابط التالي لتعيين كلمة المرور الجديدة, Please create DATEV Settings for Company {}.,الرجاء إنشاء إعدادات DATEV للشركة {} ., Please create adjustment Journal Entry for amount {0} ,الرجاء إنشاء تعديل إدخال دفتر اليومية للمبلغ {0}, Please do not create more than 500 items at a time,يرجى عدم إنشاء أكثر من 500 عنصر في وقت واحد, @@ -4043,7 +4037,6 @@ Search results for,نتائج البحث عن, Select All,تحديد الكل, Select Difference Account,حدد حساب الفرق, Select a Default Priority.,حدد أولوية افتراضية., -Select a Supplier from the Default Supplier List of the items below.,حدد موردًا من قائمة الموردين الافتراضية للعناصر أدناه., Select a company,اختر شركة, Select finance book for the item {0} at row {1},حدد دفتر تمويل للعنصر {0} في الصف {1}, Select only one Priority as Default.,حدد أولوية واحدة فقط كإعداد افتراضي., @@ -4247,7 +4240,6 @@ Yes,نعم, Actual ,فعلي, Add to cart,أضف إلى السلة, Budget,ميزانية, -Chart Of Accounts Importer,الرسم البياني للحسابات المستورد, Chart of Accounts,الشجرة المحاسبية, Customer database.,قاعدة بيانات العملاء., Days Since Last order,الأيام منذ آخر طلب, @@ -4939,7 +4931,6 @@ Closing Account Head,اقفال حساب المركز الرئيسي, POS Customer Group,مجموعة عملاء نقطة البيع, POS Field,نقاط البيع الميدانية, POS Item Group,مجموعة المواد لنقطة البيع, -[Select],[اختر ], Company Address,عنوان الشركة, Update Stock,تحديث المخزون, Ignore Pricing Rule,تجاهل (قاعدة التسعير), @@ -6597,11 +6588,6 @@ Relieving Date,تاريخ المغادرة, Reason for Leaving,سبب ترك العمل, Leave Encashed?,إجازات مصروفة نقداً؟, Encashment Date,تاريخ التحصيل, -Exit Interview Details,تفاصيل مقابلة مغادرة الشركة, -Held On,عقدت في, -Reason for Resignation,سبب الاستقالة, -Better Prospects,آفاق أفضل, -Health Concerns,شؤون صحية, New Workplace,مكان العمل الجديد, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,المبلغ المرتجع, @@ -8237,9 +8223,6 @@ Landed Cost Help,هبطت التكلفة مساعدة, Manufacturers used in Items,الشركات المصنعة المستخدمة في الاصناف, Limited to 12 characters,تقتصر على 12 حرفا, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,تعيين المستودع, -Sets 'For Warehouse' in each row of the Items table.,يعيّن "للمستودع" في كل صف من جدول السلع., -Requested For,طلب لل, Partially Ordered,طلبت جزئيًا, Transferred,نقل, % Ordered,٪ تم طلبها, @@ -8688,8 +8671,6 @@ Material Request Warehouse,مستودع طلب المواد, Select warehouse for material requests,حدد المستودع لطلبات المواد, Transfer Materials For Warehouse {0},نقل المواد للمستودع {0}, Production Plan Material Request Warehouse,مستودع طلب مواد خطة الإنتاج, -Set From Warehouse,تعيين من المستودع, -Source Warehouse (Material Transfer),مستودع المصدر (نقل المواد), Sets 'Source Warehouse' in each row of the items table.,يعيّن "مستودع المصدر" في كل صف من جدول العناصر., Sets 'Target Warehouse' in each row of the items table.,يعيّن "المستودع المستهدف" في كل صف من جدول العناصر., Show Cancelled Entries,إظهار الإدخالات الملغاة, @@ -9155,7 +9136,6 @@ Professional Tax,الضريبة المهنية, Is Income Tax Component,هو مكون ضريبة الدخل, Component properties and references ,خصائص المكونات والمراجع, Additional Salary ,الراتب الإضافي, -Condtion and formula,الشرط والصيغة, Unmarked days,أيام غير محددة, Absent Days,أيام الغياب, Conditions and Formula variable and example,متغير الشروط والصيغة والمثال, @@ -9442,7 +9422,6 @@ Plaid invalid request error,خطأ طلب غير صالح منقوشة, Please check your Plaid client ID and secret values,يرجى التحقق من معرّف عميل Plaid والقيم السرية, Bank transaction creation error,خطأ في إنشاء معاملة البنك, Unit of Measurement,وحدة قياس, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Row # {}: معدل بيع العنصر {} أقل من {}. يجب أن يكون معدل البيع على الأقل {}, Fiscal Year {0} Does Not Exist,السنة المالية {0} غير موجودة, Row # {0}: Returned Item {1} does not exist in {2} {3},الصف رقم {0}: العنصر الذي تم إرجاعه {1} غير موجود في {2} {3}, Valuation type charges can not be marked as Inclusive,لا يمكن تحديد رسوم نوع التقييم على أنها شاملة, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,عيّن وق Response Time for {0} priority in row {1} can't be greater than Resolution Time.,لا يمكن أن يكون وقت الاستجابة {0} للأولوية في الصف {1} أكبر من وقت الحل., {0} is not enabled in {1},{0} غير ممكّن في {1}, Group by Material Request,تجميع حسب طلب المواد, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",الصف {0}: للمورد {0} ، عنوان البريد الإلكتروني مطلوب لإرسال بريد إلكتروني, Email Sent to Supplier {0},تم إرسال بريد إلكتروني إلى المورد {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",تم تعطيل الوصول إلى طلب عرض الأسعار من البوابة. للسماح بالوصول ، قم بتمكينه في إعدادات البوابة., Supplier Quotation {0} Created,تم إنشاء عرض أسعار المورد {0}, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},يجب أن يكون ال Account {0} exists in parent company {1}.,الحساب {0} موجود في الشركة الأم {1}., "To overrule this, enable '{0}' in company {1}",لإلغاء هذا ، قم بتمكين "{0}" في الشركة {1}, Invalid condition expression,تعبير شرط غير صالح, +Please Select a Company First,الرجاء تحديد شركة أولاً, +Please Select Both Company and Party Type First,الرجاء تحديد نوع الشركة والحزب أولاً, +Provide the invoice portion in percent,قم بتوفير جزء الفاتورة بالنسبة المئوية, +Give number of days according to prior selection,أعط عدد الأيام حسب الاختيار المسبق, +Email Details,تفاصيل البريد الإلكتروني, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.",حدد تحية للمتلقي. على سبيل المثال السيد ، السيدة ، إلخ., +Preview Email,معاينة البريد الإلكتروني, +Please select a Supplier,الرجاء اختيار مورد, +Supplier Lead Time (days),مهلة المورد (أيام), +"Home, Work, etc.",المنزل والعمل وما إلى ذلك., +Exit Interview Held On,أجريت مقابلة الخروج, +Condition and formula,الشرط والصيغة, +Sets 'Target Warehouse' in each row of the Items table.,يعيّن "المستودع المستهدف" في كل صف من جدول السلع., +Sets 'Source Warehouse' in each row of the Items table.,يعيّن "مستودع المصدر" في كل صف من جدول السلع., +POS Register,سجل نقاط البيع, +"Can not filter based on POS Profile, if grouped by POS Profile",لا يمكن التصفية بناءً على ملف تعريف نقطة البيع ، إذا تم تجميعها حسب ملف تعريف نقطة البيع, +"Can not filter based on Customer, if grouped by Customer",لا يمكن التصفية بناءً على العميل ، إذا تم تجميعه بواسطة العميل, +"Can not filter based on Cashier, if grouped by Cashier",لا يمكن التصفية على أساس Cashier ، إذا تم تجميعها بواسطة Cashier, +Payment Method,طريقة الدفع او السداد, +"Can not filter based on Payment Method, if grouped by Payment Method",لا يمكن التصفية بناءً على طريقة الدفع ، إذا تم تجميعها حسب طريقة الدفع, +Supplier Quotation Comparison,مقارنة عروض أسعار الموردين, +Price per Unit (Stock UOM),السعر لكل وحدة (المخزون UOM), +Group by Supplier,تجميع حسب المورد, +Group by Item,تجميع حسب البند, +Remember to set {field_label}. It is required by {regulation}.,تذكر أن تقوم بتعيين {field_label}. مطلوب بموجب {لائحة}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},لا يمكن أن يكون تاريخ التسجيل قبل تاريخ بدء العام الأكاديمي {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},لا يمكن أن يكون تاريخ التسجيل بعد تاريخ انتهاء الفصل الدراسي {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},لا يمكن أن يكون تاريخ التسجيل قبل تاريخ بدء الفصل الدراسي {0}, +Posting future transactions are not allowed due to Immutable Ledger,لا يُسمح بنشر المعاملات المستقبلية بسبب دفتر الأستاذ غير القابل للتغيير, +Future Posting Not Allowed,النشر في المستقبل غير مسموح به, +"To enable Capital Work in Progress Accounting, ",لتمكين محاسبة الأعمال الرأسمالية الجارية ،, +you must select Capital Work in Progress Account in accounts table,يجب عليك تحديد حساب رأس المال قيد التقدم في جدول الحسابات, +You can also set default CWIP account in Company {},يمكنك أيضًا تعيين حساب CWIP الافتراضي في الشركة {}, +The Request for Quotation can be accessed by clicking on the following button,يمكن الوصول إلى طلب عرض الأسعار من خلال النقر على الزر التالي, +Regards,مع تحياتي, +Please click on the following button to set your new password,الرجاء النقر فوق الزر التالي لتعيين كلمة المرور الجديدة, +Update Password,تطوير كلمة السر, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Row # {}: معدل بيع العنصر {} أقل من {}. يجب بيع {} على الأقل {}, +You can alternatively disable selling price validation in {} to bypass this validation.,يمكنك بدلاً من ذلك تعطيل التحقق من سعر البيع في {} لتجاوز هذا التحقق., +Invalid Selling Price,سعر البيع غير صالح, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,يجب ربط العنوان بشركة. الرجاء إضافة صف للشركة في جدول الروابط., +Company Not Linked,شركة غير مرتبطة, +Import Chart of Accounts from CSV / Excel files,استيراد مخطط الحسابات من ملفات CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',لا يمكن أن تكون الكمية المكتملة أكبر من "الكمية إلى التصنيع", +"Row {0}: For Supplier {1}, Email Address is Required to send an email",الصف {0}: للمورد {1} ، مطلوب عنوان البريد الإلكتروني لإرسال بريد إلكتروني, diff --git a/erpnext/translations/bg.csv b/erpnext/translations/bg.csv index 874eb68f10..7fe4ff53e3 100644 --- a/erpnext/translations/bg.csv +++ b/erpnext/translations/bg.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge от Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,Такси се обновяват на изкупните Квитанция за всяка стока, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Таксите ще бъдат разпределени пропорционално на базата на т Количество или количество, според вашия избор", -Chart Of Accounts,Сметкоплан, Chart of Cost Centers,Списък на Разходни центрове, Check all,Избери всичко, Checkout,Поръчка, @@ -581,7 +580,6 @@ Company {0} does not exist,Компания {0} не съществува, Compensatory Off,Компенсаторни Off, Compensatory leave request days not in valid holidays,Компенсаторните отпуски не важат за валидни празници, Complaint,оплакване, -Completed Qty can not be greater than 'Qty to Manufacture',"Изпълнено Количество не може да бъде по-голямо от ""Количество за производство""", Completion Date,дата на завършване, Computer,компютър, Condition,Състояние, @@ -2033,7 +2031,6 @@ Please select Category first,"Моля, изберете Категория пъ Please select Charge Type first,Моля изберете вид на разхода първо, Please select Company,Моля изберете фирма, Please select Company and Designation,"Моля, изберете Company and Designation", -Please select Company and Party Type first,Моля изберете Company и Party Type първи, Please select Company and Posting Date to getting entries,"Моля, изберете Фирма и дата на публикуване, за да получавате записи", Please select Company first,"Моля, изберете първо фирма", Please select Completion Date for Completed Asset Maintenance Log,"Моля, изберете Дата на завършване на регистрационния дневник за завършено състояние на активите", @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,"Името The name of your company for which you are setting up this system.,"Името на Вашата фирма, за която искате да създадете тази система.", The number of shares and the share numbers are inconsistent,Броят на акциите и номерата на акциите са неконсистентни, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Профилът на платежния шлюз в плана {0} е различен от профила на платежния шлюз в това искане за плащане, -The request for quotation can be accessed by clicking on the following link,Искането за котировки могат да бъдат достъпни чрез щракване върху следния линк, The selected BOMs are not for the same item,Избраните списъците с материали не са за една и съща позиция, The selected item cannot have Batch,Избраният елемент не може да има партида, The seller and the buyer cannot be the same,Продавачът и купувачът не могат да бъдат същите, @@ -3543,7 +3539,6 @@ Company GSTIN,Фирма GSTIN, Company field is required,Полето на фирмата е задължително, Creating Dimensions...,Създаване на размери ..., Duplicate entry against the item code {0} and manufacturer {1},Дублиран запис срещу кода на артикула {0} и производителя {1}, -Import Chart Of Accounts from CSV / Excel files,Импортиране на сметкоплан от CSV / Excel файлове, 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, Invoice Grand Total,Фактура Голяма Обща, Last carbon check date cannot be a future date,Последната дата за проверка на въглерода не може да бъде бъдеща дата, @@ -3920,7 +3915,6 @@ Plaid authentication error,Грешка в автентичността на п Plaid public token error,Грешка в обществен маркер, Plaid transactions sync error,Грешка при синхронизиране на транзакции, Please check the error log for details about the import errors,"Моля, проверете журнала за грешки за подробности относно грешките при импортиране", -Please click on the following link to set your new password,"Моля, кликнете върху следния линк, за да зададете нова парола", Please create DATEV Settings for Company {}.,"Моля, създайте настройките на DATEV за компания {} .", Please create adjustment Journal Entry for amount {0} ,"Моля, създайте корекция на вписването в журнала за сума {0}", Please do not create more than 500 items at a time,"Моля, не създавайте повече от 500 артикула наведнъж", @@ -4043,7 +4037,6 @@ Search results for,Резултати от търсенето за, Select All,Избери всички, Select Difference Account,Изберете Различен акаунт, Select a Default Priority.,Изберете приоритет по подразбиране., -Select a Supplier from the Default Supplier List of the items below.,Изберете доставчик от списъка с доставчици по подразбиране на артикулите по-долу., Select a company,Изберете фирма, Select finance book for the item {0} at row {1},Изберете книга за финансиране за елемента {0} на ред {1}, Select only one Priority as Default.,Изберете само един приоритет по подразбиране., @@ -4247,7 +4240,6 @@ Yes,да, Actual ,действителен, Add to cart,Добави в кошницата, Budget,бюджет, -Chart Of Accounts Importer,Вносител на сметкоплан, Chart of Accounts,График на сметките, Customer database.,База данни на клиентите., Days Since Last order,Дни след последната поръчка, @@ -4939,7 +4931,6 @@ Closing Account Head,Закриване на профила Head, POS Customer Group,POS Customer Group, POS Field,ПОС поле, POS Item Group,POS Позиция Group, -[Select],[Избор], Company Address,Адрес на компанията, Update Stock,Актуализация Наличности, Ignore Pricing Rule,Игнориране на правилата за ценообразуване, @@ -6597,11 +6588,6 @@ Relieving Date,Облекчаване Дата, Reason for Leaving,Причина за напускане, Leave Encashed?,Отсъствието е платено?, Encashment Date,Инкасо Дата, -Exit Interview Details,Exit Интервю - Детайли, -Held On,Проведена На, -Reason for Resignation,Причина за Оставка, -Better Prospects,По-добри перспективи, -Health Concerns,Здравни проблеми, New Workplace,Ново работно място, HR-EAD-.YYYY.-,HR-ЕАД-.YYYY.-, Returned Amount,Върната сума, @@ -8237,9 +8223,6 @@ Landed Cost Help,Поземлен Cost Помощ, Manufacturers used in Items,Използвани производители в артикули, Limited to 12 characters,Ограничено до 12 символа, MAT-MR-.YYYY.-,МАТ-MR-.YYYY.-, -Set Warehouse,Комплект Склад, -Sets 'For Warehouse' in each row of the Items table.,Задава „За склад“ във всеки ред от таблицата „Предмети“., -Requested For,Поискана за, Partially Ordered,Частично подредени, Transferred,Прехвърлен, % Ordered,% Поръчани, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Склад за заявки за материали, Select warehouse for material requests,Изберете склад за заявки за материали, Transfer Materials For Warehouse {0},Прехвърляне на материали за склад {0}, Production Plan Material Request Warehouse,Склад за искане на материал за производствен план, -Set From Warehouse,Комплект от склад, -Source Warehouse (Material Transfer),Склад на източника (прехвърляне на материали), Sets 'Source Warehouse' in each row of the items table.,Задава „Склад на източника“ във всеки ред от таблицата с артикули., Sets 'Target Warehouse' in each row of the items table.,Задава „Target Warehouse“ във всеки ред от таблицата с елементи., Show Cancelled Entries,Показване на отменени записи, @@ -9155,7 +9136,6 @@ Professional Tax,Професионален данък, Is Income Tax Component,Е компонент на данъка върху дохода, Component properties and references ,Свойства на компонентите и препратки, Additional Salary ,Допълнителна заплата, -Condtion and formula,Състояние и формула, Unmarked days,Немаркирани дни, Absent Days,Отсъстващи дни, Conditions and Formula variable and example,Условия и формула променлива и пример, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Грешка при невалидна заявка Please check your Plaid client ID and secret values,"Моля, проверете идентификационния номер на клиента си и тайните стойности", Bank transaction creation error,Грешка при създаване на банкова транзакция, Unit of Measurement,Мерна единица, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Ред № {}: Процентът на продажба на артикул {} е по-нисък от своя {}. Курсът на продажба трябва да бъде поне {}, Fiscal Year {0} Does Not Exist,Фискална година {0} не съществува, Row # {0}: Returned Item {1} does not exist in {2} {3},Ред № {0}: Върнат артикул {1} не съществува в {2} {3}, Valuation type charges can not be marked as Inclusive,Таксите от типа оценка не могат да бъдат маркирани като Включително, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Задайт Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Времето за реакция за {0} приоритет в ред {1} не може да бъде по-голямо от времето за резолюция., {0} is not enabled in {1},{0} не е активиран в {1}, Group by Material Request,Групиране по заявка за материал, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Ред {0}: За доставчика {0} е необходим имейл адрес за изпращане на имейл, Email Sent to Supplier {0},Изпратено имейл до доставчика {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Достъпът до заявка за оферта от портала е деактивиран. За да разрешите достъп, разрешете го в настройките на портала.", Supplier Quotation {0} Created,Оферта на доставчика {0} Създадена, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Общото опреде Account {0} exists in parent company {1}.,Профилът {0} съществува в компанията майка {1}., "To overrule this, enable '{0}' in company {1}","За да отмените това, активирайте „{0}“ във фирма {1}", Invalid condition expression,Невалиден израз на условие, +Please Select a Company First,"Моля, първо изберете компания", +Please Select Both Company and Party Type First,"Моля, първо изберете както фирма, така и тип страна", +Provide the invoice portion in percent,Предоставете частта от фактурата в проценти, +Give number of days according to prior selection,Посочете броя дни според предварителния подбор, +Email Details,Подробности за имейл, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Изберете поздрав за приемника. Например г-н, г-жа и т.н.", +Preview Email,Визуализация на имейл, +Please select a Supplier,"Моля, изберете доставчик", +Supplier Lead Time (days),Време за доставка на доставчика (дни), +"Home, Work, etc.","Дом, работа и др.", +Exit Interview Held On,Интервюто за изход се проведе, +Condition and formula,Състояние и формула, +Sets 'Target Warehouse' in each row of the Items table.,Задава „Целеви склад“ във всеки ред от таблицата „Елементи“., +Sets 'Source Warehouse' in each row of the Items table.,Задава „Склад на източника“ във всеки ред от таблицата „Елементи“., +POS Register,POS регистър, +"Can not filter based on POS Profile, if grouped by POS Profile","Не може да се филтрира въз основа на POS профил, ако е групиран по POS профил", +"Can not filter based on Customer, if grouped by Customer","Не може да се филтрира въз основа на Клиент, ако е групиран от Клиент", +"Can not filter based on Cashier, if grouped by Cashier","Не може да се филтрира въз основа на Каса, ако е групирана по Каса", +Payment Method,Начин на плащане, +"Can not filter based on Payment Method, if grouped by Payment Method","Не може да се филтрира въз основа на начин на плащане, ако е групиран по начин на плащане", +Supplier Quotation Comparison,Сравнение на офертите на доставчика, +Price per Unit (Stock UOM),Цена за единица (запас UOM), +Group by Supplier,Групиране по доставчик, +Group by Item,Групиране по артикул, +Remember to set {field_label}. It is required by {regulation}.,Не забравяйте да зададете {field_label}. Изисква се от {регламент}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Датата на записване не може да бъде преди началната дата на учебната година {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Датата на записване не може да бъде след Крайната дата на академичния срок {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Дата на записване не може да бъде преди началната дата на академичния срок {0}, +Posting future transactions are not allowed due to Immutable Ledger,Публикуването на бъдещи транзакции не е разрешено поради неизменяема книга, +Future Posting Not Allowed,Публикуването в бъдеще не е разрешено, +"To enable Capital Work in Progress Accounting, ","За да активирате счетоводното отчитане на текущата работа,", +you must select Capital Work in Progress Account in accounts table,трябва да изберете Сметка за текущ капитал в таблицата на сметките, +You can also set default CWIP account in Company {},Можете също да зададете CWIP акаунт по подразбиране във Фирма {}, +The Request for Quotation can be accessed by clicking on the following button,"Заявката за оферта може да бъде достъпна, като кликнете върху следния бутон", +Regards,за разбирането, +Please click on the following button to set your new password,"Моля, кликнете върху следния бутон, за да зададете новата си парола", +Update Password,Актуализиране на паролата, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Ред № {}: Процентът на продажба на артикул {} е по-нисък от своя {}. Продажбата {} трябва да бъде поне {}, +You can alternatively disable selling price validation in {} to bypass this validation.,"Можете алтернативно да деактивирате проверката на продажните цени в {}, за да заобиколите тази проверка.", +Invalid Selling Price,Невалидна продажна цена, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,"Адресът трябва да бъде свързан с компания. Моля, добавете ред за компания в таблицата с връзки.", +Company Not Linked,Фирма не е свързана, +Import Chart of Accounts from CSV / Excel files,Импортиране на сметката от CSV / Excel файлове, +Completed Qty cannot be greater than 'Qty to Manufacture',Попълненото количество не може да бъде по-голямо от „Количество за производство“, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",Ред {0}: За доставчика {1} е необходим имейл адрес за изпращане на имейл, diff --git a/erpnext/translations/bn.csv b/erpnext/translations/bn.csv index c3f45e0c7e..717554632b 100644 --- a/erpnext/translations/bn.csv +++ b/erpnext/translations/bn.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,টাইপ Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,চার্জ প্রতিটি আইটেমের বিরুদ্ধে কেনার রসিদ মধ্যে আপডেট করা হয়, "Charges will be distributed proportionately based on item qty or amount, as per your selection","চার্জ আনুপাতিক আপনার নির্বাচন অনুযায়ী, আইটেম Qty বা পরিমাণ উপর ভিত্তি করে বিতরণ করা হবে", -Chart Of Accounts,হিসাবরক্ষনের তালিকা, Chart of Cost Centers,খরচ কেন্দ্র এর চার্ট, Check all,সবগুলু যাচাই করুন, Checkout,চেকআউট, @@ -581,7 +580,6 @@ Company {0} does not exist,কোম্পানির {0} অস্তিত্ Compensatory Off,পূরক অফ, Compensatory leave request days not in valid holidays,বাধ্যতামূলক ছুটি অনুরোধ দিন বৈধ ছুটির দিন না, Complaint,অভিযোগ, -Completed Qty can not be greater than 'Qty to Manufacture',চেয়ে 'স্টক প্রস্তুত করতে' সম্পন্ন Qty বৃহত্তর হতে পারে না, Completion Date,সমাপ্তির তারিখ, Computer,কম্পিউটার, Condition,শর্ত, @@ -2033,7 +2031,6 @@ Please select Category first,প্রথম শ্রেণী নির্ব Please select Charge Type first,প্রথম অভিযোগ টাইপ নির্বাচন করুন, Please select Company,কোম্পানি নির্বাচন করুন, Please select Company and Designation,দয়া করে কোম্পানি এবং মনোনীত নির্বাচন করুন, -Please select Company and Party Type first,প্রথম কোম্পানি ও অনুষ্ঠান প্রকার নির্বাচন করুন, Please select Company and Posting Date to getting entries,অনুগ্রহ করে এন্ট্রি পাওয়ার জন্য কোম্পানি এবং পোস্টিং তারিখ নির্বাচন করুন, Please select Company first,প্রথম কোম্পানি নির্বাচন করুন, Please select Completion Date for Completed Asset Maintenance Log,সম্পুর্ণ সম্পত্তির রক্ষণাবেক্ষণ লগের জন্য সমাপ্তির তারিখ নির্বাচন করুন, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,"ইনস The name of your company for which you are setting up this system.,"আপনার কোম্পানির নাম, যার জন্য আপনি এই সিস্টেম সেট আপ করা হয়.", The number of shares and the share numbers are inconsistent,শেয়ার সংখ্যা এবং শেয়ার নম্বর অসম্পূর্ণ, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,এই পেমেন্ট অনুরোধে পেমেন্ট গেটওয়ে অ্যাকাউন্ট থেকে প্ল্যান {0} পেমেন্ট গেটওয়ে অ্যাকাউন্টটি ভিন্ন, -The request for quotation can be accessed by clicking on the following link,উদ্ধৃতি জন্য অনুরোধ নিম্নলিখিত লিঙ্কে ক্লিক করে প্রবেশ করা যেতে পারে, The selected BOMs are not for the same item,নির্বাচিত BOMs একই আইটেমের জন্য নয়, The selected item cannot have Batch,নির্বাচিত আইটেমের ব্যাচ থাকতে পারে না, The seller and the buyer cannot be the same,বিক্রেতা এবং ক্রেতা একই হতে পারে না, @@ -3543,7 +3539,6 @@ Company GSTIN,কোম্পানির GSTIN, Company field is required,কোম্পানির ক্ষেত্র প্রয়োজন, Creating Dimensions...,মাত্রা তৈরি করা হচ্ছে ..., Duplicate entry against the item code {0} and manufacturer {1},আইটেম কোড {0} এবং প্রস্তুতকারকের {1 against এর বিপরীতে সদৃশ প্রবেশ, -Import Chart Of Accounts from CSV / Excel files,সিএসভি / এক্সেল ফাইলগুলি থেকে অ্যাকাউন্টগুলির চার্ট আমদানি করুন, Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,অবৈধ জিএসটিআইএন! আপনি যে ইনপুটটি প্রবেশ করেছেন তা ইউআইএন হোল্ডার বা অনাবাসিক OIDAR পরিষেবা সরবরাহকারীদের জন্য জিএসটিআইএন ফর্ম্যাটের সাথে মেলে না, Invoice Grand Total,চালান গ্র্যান্ড টোটাল, Last carbon check date cannot be a future date,শেষ কার্বন চেকের তারিখ কোনও ভবিষ্যতের তারিখ হতে পারে না, @@ -3920,7 +3915,6 @@ Plaid authentication error,প্লেড প্রমাণীকরণের Plaid public token error,প্লেড পাবলিক টোকেন ত্রুটি, Plaid transactions sync error,প্লেড লেনদেনের সিঙ্ক ত্রুটি, Please check the error log for details about the import errors,আমদানি ত্রুটি সম্পর্কে বিশদ জন্য ত্রুটি লগ চেক করুন, -Please click on the following link to set your new password,আপনার নতুন পাসওয়ার্ড সেট করতে নিচের লিঙ্কে ক্লিক করুন, Please create DATEV Settings for Company {}.,দয়া করে কোম্পানির জন্য DATEV সেটিংস তৈরি করুন }}, Please create adjustment Journal Entry for amount {0} ,দয়া করে} 0 amount পরিমাণের জন্য সামঞ্জস্য জার্নাল এন্ট্রি তৈরি করুন, Please do not create more than 500 items at a time,দয়া করে একবারে 500 টিরও বেশি আইটেম তৈরি করবেন না, @@ -4043,7 +4037,6 @@ Search results for,এর জন্য অনুসন্ধানের ফল Select All,সবগুলো নির্বাচন করা, Select Difference Account,ডিফারেন্স অ্যাকাউন্ট নির্বাচন করুন, Select a Default Priority.,একটি ডিফল্ট অগ্রাধিকার নির্বাচন করুন।, -Select a Supplier from the Default Supplier List of the items below.,নীচের আইটেমগুলির ডিফল্ট সরবরাহকারী তালিকা থেকে একটি সরবরাহকারী নির্বাচন করুন।, Select a company,একটি সংস্থা নির্বাচন করুন, Select finance book for the item {0} at row {1},সারি for 1} আইটেমের জন্য book 0 finance জন্য অর্থ বই নির্বাচন করুন, Select only one Priority as Default.,ডিফল্ট হিসাবে কেবলমাত্র একটি অগ্রাধিকার নির্বাচন করুন।, @@ -4247,7 +4240,6 @@ Yes,হাঁ, Actual ,আসল, Add to cart,কার্ট যোগ করুন, Budget,বাজেট, -Chart Of Accounts Importer,অ্যাকাউন্ট আমদানিকারক চার্ট, Chart of Accounts,হিসাবরক্ষনের তালিকা, Customer database.,গ্রাহক ডাটাবেস।, Days Since Last order,শেষ আদেশের দিনগুলি, @@ -4939,7 +4931,6 @@ Closing Account Head,অ্যাকাউন্ট হেড সমাপ্ত POS Customer Group,পিওএস গ্রাহক গ্রুপ, POS Field,পস ফিল্ড, POS Item Group,পিওএস আইটেম গ্রুপ, -[Select],[নির্বাচন], Company Address,প্রতিস্থান এর ঠিকানা, Update Stock,আপডেট শেয়ার, Ignore Pricing Rule,প্রাইসিং বিধি উপেক্ষা, @@ -6597,11 +6588,6 @@ Relieving Date,মুক্তিদান তারিখ, Reason for Leaving,ত্যাগ করার জন্য কারণ, Leave Encashed?,Encashed ত্যাগ করবেন?, Encashment Date,নগদীকরণ তারিখ, -Exit Interview Details,প্রস্থান ইন্টারভিউ এর বর্ণনা, -Held On,অনুষ্ঠিত, -Reason for Resignation,পদত্যাগ করার কারণ, -Better Prospects,ভাল সম্ভাবনা, -Health Concerns,স্বাস্থ সচেতন, New Workplace,নতুন কর্মক্ষেত্রে, HR-EAD-.YYYY.-,এইচআর-EAD-.YYYY.-, Returned Amount,ফেরত পরিমাণ, @@ -8237,9 +8223,6 @@ Landed Cost Help,ল্যান্ড খরচ সাহায্য, Manufacturers used in Items,চলছে ব্যবহৃত উৎপাদনকারী, Limited to 12 characters,12 অক্ষরের মধ্যে সীমাবদ্ধ, MAT-MR-.YYYY.-,Mat-এম আর-.YYYY.-, -Set Warehouse,গুদাম সেট করুন, -Sets 'For Warehouse' in each row of the Items table.,আইটেম টেবিলের প্রতিটি সারিতে 'গুদামের জন্য' সেট করুন।, -Requested For,জন্য অনুরোধ করা, Partially Ordered,আংশিক অর্ডার করা, Transferred,স্থানান্তরিত, % Ordered,% আদেশ, @@ -8688,8 +8671,6 @@ Material Request Warehouse,উপাদান অনুরোধ গুদাম Select warehouse for material requests,উপাদান অনুরোধের জন্য গুদাম নির্বাচন করুন, Transfer Materials For Warehouse {0},গুদাম {0 For জন্য উপাদান স্থানান্তর, Production Plan Material Request Warehouse,উত্পাদন পরিকল্পনার সামগ্রী অনুরোধ গুদাম, -Set From Warehouse,গুদাম থেকে সেট করুন, -Source Warehouse (Material Transfer),উত্স গুদাম (উপাদান স্থানান্তর), Sets 'Source Warehouse' in each row of the items table.,আইটেম টেবিলের প্রতিটি সারিতে 'উত্স গুদাম' সেট করুন।, Sets 'Target Warehouse' in each row of the items table.,আইটেম সারণির প্রতিটি সারিতে 'টার্গেট ওয়েয়ারহাউস' সেট করুন।, Show Cancelled Entries,বাতিল এন্ট্রিগুলি দেখান, @@ -9155,7 +9136,6 @@ Professional Tax,পেশাদার কর, Is Income Tax Component,আয়কর অংশ, Component properties and references ,উপাদান বৈশিষ্ট্য এবং রেফারেন্স, Additional Salary ,অতিরিক্ত বেতন, -Condtion and formula,শর্ত এবং সূত্র, Unmarked days,চিহ্নহীন দিনগুলি, Absent Days,অনুপস্থিত দিন, Conditions and Formula variable and example,শর্ত এবং সূত্র পরিবর্তনশীল এবং উদাহরণ, @@ -9442,7 +9422,6 @@ Plaid invalid request error,প্লিড অবৈধ অনুরোধ ত Please check your Plaid client ID and secret values,আপনার প্লাইড ক্লায়েন্ট আইডি এবং গোপন মান পরীক্ষা করুন, Bank transaction creation error,ব্যাংক লেনদেন তৈরির ত্রুটি, Unit of Measurement,পরিমাপের ইউনিট, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},সারি # {}: আইটেম for for এর বিক্রয়ের হার তার {} এর চেয়ে কম} বিক্রয় হার কমপক্ষে হওয়া উচিত {}, Fiscal Year {0} Does Not Exist,আর্থিক বছর {0} বিদ্যমান নেই, Row # {0}: Returned Item {1} does not exist in {2} {3},সারি # {0}: ফিরে আসা আইটেম {1 {{2} {3 in তে বিদ্যমান নেই, Valuation type charges can not be marked as Inclusive,মূল্য মূল্য ধরণের চার্জগুলি সমেত হিসাবে চিহ্নিত করা যায় না, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,অগ্র Response Time for {0} priority in row {1} can't be greater than Resolution Time.,সারিতে} 1} অগ্রাধিকারের জন্য প্রতিক্রিয়া সময়টি olution 1} রেজোলিউশন সময়ের চেয়ে বেশি হতে পারে না।, {0} is not enabled in {1},{0} {1} এ সক্ষম নয়, Group by Material Request,উপাদান অনুরোধ দ্বারা গ্রুপ, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",সারি {0}: সরবরাহকারী {0} এর জন্য ইমেল প্রেরণের জন্য ইমেল ঠিকানা প্রয়োজন, Email Sent to Supplier {0},সরবরাহকারীকে ইমেল প্রেরণ করা হয়েছে {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","পোর্টাল থেকে উদ্ধৃতি জন্য অনুরোধ অ্যাক্সেস অক্ষম করা হয়েছে। অ্যাক্সেসের অনুমতি দেওয়ার জন্য, এটি পোর্টাল সেটিংসে সক্ষম করুন।", Supplier Quotation {0} Created,সরবরাহকারী কোটেশন {0} তৈরি হয়েছে, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},বরাদ্দকৃ Account {0} exists in parent company {1}.,অ্যাকাউন্ট {0 parent মূল কোম্পানিতে} 1} বিদ্যমান}, "To overrule this, enable '{0}' in company {1}","এটি উপেক্ষা করার জন্য, কোম্পানির '1}' {0} 'সক্ষম করুন", Invalid condition expression,অবৈধ শর্তের অভিব্যক্তি, +Please Select a Company First,দয়া করে প্রথমে একটি সংস্থা নির্বাচন করুন, +Please Select Both Company and Party Type First,দয়া করে প্রথম সংস্থা এবং পার্টি উভয়ই নির্বাচন করুন, +Provide the invoice portion in percent,চালানের অংশ শতাংশে সরবরাহ করুন, +Give number of days according to prior selection,পূর্ববর্তী নির্বাচন অনুযায়ী দিন সংখ্যা দিন, +Email Details,ইমেল বিশদ, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","গ্রহীতার জন্য একটি শুভেচ্ছা নির্বাচন করুন। যেমন মিঃ, মিসেস, ইত্যাদি", +Preview Email,পূর্বরূপ ইমেল, +Please select a Supplier,একটি সরবরাহকারী নির্বাচন করুন, +Supplier Lead Time (days),সরবরাহকারী সীসা সময় (দিন), +"Home, Work, etc.","বাড়ি, কাজ ইত্যাদি", +Exit Interview Held On,সাক্ষাত্কারটি প্রস্থান করুন, +Condition and formula,শর্ত এবং সূত্র, +Sets 'Target Warehouse' in each row of the Items table.,আইটেম টেবিলের প্রতিটি সারিতে 'টার্গেট ওয়েয়ারহাউস' সেট করুন।, +Sets 'Source Warehouse' in each row of the Items table.,আইটেম টেবিলের প্রতিটি সারিতে 'উত্স গুদাম' সেট করুন।, +POS Register,পস রেজিস্টার, +"Can not filter based on POS Profile, if grouped by POS Profile","POS প্রোফাইলের ভিত্তিতে ফিল্টার করা যায় না, যদি পস প্রোফাইল দ্বারা গোষ্ঠীভূত হয়", +"Can not filter based on Customer, if grouped by Customer",গ্রাহক দ্বারা গ্রুপ করা থাকলে গ্রাহকের উপর ভিত্তি করে ফিল্টার করতে পারবেন না, +"Can not filter based on Cashier, if grouped by Cashier","ক্যাশিয়ারের ভিত্তিতে, ক্যাশিয়ারের ভিত্তিতে ফিল্টার করা যায় না", +Payment Method,মূল্যপরিশোধ পদ্ধতি, +"Can not filter based on Payment Method, if grouped by Payment Method",অর্থ প্রদানের পদ্ধতি অনুসারে অর্থ প্রদানের পদ্ধতির ভিত্তিতে ফিল্টার করতে পারবেন না, +Supplier Quotation Comparison,সরবরাহকারী কোটেশন তুলনা, +Price per Unit (Stock UOM),ইউনিট প্রতি মূল্য (স্টক ইউওএম), +Group by Supplier,সরবরাহকারী দ্বারা গ্রুপ, +Group by Item,আইটেম দ্বারা গ্রুপ, +Remember to set {field_label}. It is required by {regulation}.,{ক্ষেত্র_লাবেল set সেট করতে মনে রাখবেন} এটি {নিয়ন্ত্রণ by দ্বারা প্রয়োজনীয়}, +Enrollment Date cannot be before the Start Date of the Academic Year {0},তালিকাভুক্তির তারিখ একাডেমিক বছরের শুরুর তারিখের আগে হতে পারে না {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},তালিকাভুক্তির তারিখ একাডেমিক মেয়াদ শেষের তারিখের পরে হতে পারে না {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},তালিকাভুক্তির তারিখ একাডেমিক টার্মের শুরুর তারিখের আগে হতে পারে না {0}, +Posting future transactions are not allowed due to Immutable Ledger,অপরিবর্তনীয় লেজারের কারণে ভবিষ্যতে লেনদেনগুলি অনুমোদিত নয়, +Future Posting Not Allowed,ভবিষ্যতের পোস্টিং অনুমোদিত নয়, +"To enable Capital Work in Progress Accounting, ","অগ্রগতি অ্যাকাউন্টিংয়ে মূলধন কাজ সক্ষম করতে,", +you must select Capital Work in Progress Account in accounts table,আপনার অবশ্যই অ্যাকাউন্টের সারণীতে প্রগতি অ্যাকাউন্টে মূলধন কাজ নির্বাচন করতে হবে, +You can also set default CWIP account in Company {},আপনি সংস্থা default default এ ডিফল্ট সিডব্লিউআইপি অ্যাকাউন্টও সেট করতে পারেন, +The Request for Quotation can be accessed by clicking on the following button,অনুরোধের জন্য নিচের বোতামটি ক্লিক করে প্রবেশ করা যাবে, +Regards,শ্রদ্ধা, +Please click on the following button to set your new password,আপনার নতুন পাসওয়ার্ড সেট করতে দয়া করে নীচের বোতামটিতে ক্লিক করুন, +Update Password,পাসওয়ার্ড আপডেট করুন, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},সারি # {}: আইটেম for for এর বিক্রয়ের হার তার {{এর চেয়ে কম} {Lling বিক্রয় কমপক্ষে হওয়া উচিত {}, +You can alternatively disable selling price validation in {} to bypass this validation.,আপনি এই বৈধতাটিকে বাইপাস করতে বিকল্প মূল্য valid in এ বিক্রয় বৈধতা অক্ষম করতে পারেন।, +Invalid Selling Price,অবৈধ বিক্রয় মূল্য, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,ঠিকানা কোনও সংস্থার সাথে সংযুক্ত করা দরকার। লিংক সারণীতে সংস্থার জন্য একটি সারি যুক্ত করুন।, +Company Not Linked,সংযুক্ত নয় সংস্থা, +Import Chart of Accounts from CSV / Excel files,সিএসভি / এক্সেল ফাইলগুলি থেকে অ্যাকাউন্টগুলির চার্ট আমদানি করুন, +Completed Qty cannot be greater than 'Qty to Manufacture',সম্পূর্ণ পরিমাণটি 'কোটির থেকে উত্পাদন' এর চেয়ে বড় হতে পারে না, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",সারি {0}: সরবরাহকারী {1} এর জন্য ইমেল প্রেরণের জন্য ইমেল ঠিকানা প্রয়োজন, diff --git a/erpnext/translations/bs.csv b/erpnext/translations/bs.csv index 63195d1141..7da03c37dc 100644 --- a/erpnext/translations/bs.csv +++ b/erpnext/translations/bs.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Punjenje tipa Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,Naknade se ažuriraju u Kupovina Prijem protiv svaku stavku, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Naknade će se distribuirati proporcionalno na osnovu stavka količina ili iznos, po svom izboru", -Chart Of Accounts,Šifarnik konta, Chart of Cost Centers,Grafikon troškovnih centara, Check all,Provjerite sve, Checkout,Provjeri, @@ -581,7 +580,6 @@ Company {0} does not exist,Kompanija {0} ne postoji, Compensatory Off,kompenzacijski Off, Compensatory leave request days not in valid holidays,Dane zahtjeva za kompenzacijski odmor ne važe u valjanim praznicima, Complaint,Žalba, -Completed Qty can not be greater than 'Qty to Manufacture',Završene Qty ne može biti veća od 'Količina za proizvodnju', Completion Date,Završetak Datum, Computer,Računar, Condition,Stanje, @@ -2033,7 +2031,6 @@ Please select Category first,Molimo odaberite kategoriju prvi, Please select Charge Type first,Odaberite Naknada za prvi, Please select Company,Molimo odaberite Company, Please select Company and Designation,Izaberite kompaniju i oznaku, -Please select Company and Party Type first,Molimo najprije odaberite Društva i Party Tip, Please select Company and Posting Date to getting entries,Molimo da odaberete Kompaniju i Datum objavljivanja da biste dobili unose, Please select Company first,Molimo najprije odaberite Company, Please select Completion Date for Completed Asset Maintenance Log,Molimo izaberite Datum završetka za popunjeni dnevnik održavanja sredstava, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,U ime Instit The name of your company for which you are setting up this system.,Ime vaše tvrtke za koje ste postavljanje ovog sustava ., The number of shares and the share numbers are inconsistent,Broj akcija i brojevi učešća su nedosljedni, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Račun plaćačkog plaćanja u planu {0} razlikuje se od naloga za plaćanje u ovom zahtjevu za plaćanje, -The request for quotation can be accessed by clicking on the following link,Zahtjev za ponudu se može pristupiti klikom na sljedeći link, The selected BOMs are not for the same item,Izabrani sastavnica nisu za isti predmet, The selected item cannot have Batch,Izabrana stavka ne može imati Batch, The seller and the buyer cannot be the same,Prodavac i kupac ne mogu biti isti, @@ -3543,7 +3539,6 @@ Company GSTIN,Kompanija GSTIN, Company field is required,Polje kompanije je obavezno, Creating Dimensions...,Stvaranje dimenzija ..., Duplicate entry against the item code {0} and manufacturer {1},Duplikat unosa sa šifrom artikla {0} i proizvođačem {1}, -Import Chart Of Accounts from CSV / Excel files,Uvoz računa sa CSV / Excel datoteka, 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! Uneseni unos ne odgovara formatu GSTIN za vlasnike UIN-a ili nerezidentne dobavljače usluga OIDAR, Invoice Grand Total,Faktura Grand Total, Last carbon check date cannot be a future date,Posljednji datum provjere ugljika ne može biti budući datum, @@ -3920,7 +3915,6 @@ Plaid authentication error,Greška provjere autentičnosti, Plaid public token error,Greška u javnom tokenu, Plaid transactions sync error,Greška sinhronizacije transakcija u plaidu, Please check the error log for details about the import errors,Molimo provjerite dnevnik grešaka za detalje o uvoznim greškama, -Please click on the following link to set your new password,Molimo kliknite na sljedeći link i postaviti novu lozinku, Please create DATEV Settings for Company {}.,Molimo kreirajte DATEV postavke za kompaniju {} ., Please create adjustment Journal Entry for amount {0} ,Molimo izradite podešavanje unosa u časopisu za iznos {0}, Please do not create more than 500 items at a time,Molimo ne stvarajte više od 500 predmeta odjednom, @@ -4043,7 +4037,6 @@ Search results for,Rezultati pretrage za, Select All,Odaberite sve, Select Difference Account,Odaberite račun razlike, Select a Default Priority.,Odaberite zadani prioritet., -Select a Supplier from the Default Supplier List of the items below.,Izaberite dobavljača sa zadanog popisa dobavljača donjih stavki., Select a company,Odaberite kompaniju, Select finance book for the item {0} at row {1},Odaberite knjigu finansiranja za stavku {0} u retku {1}, Select only one Priority as Default.,Odaberite samo jedan prioritet kao podrazumevani., @@ -4247,7 +4240,6 @@ Yes,Da, Actual ,Stvaran, Add to cart,Dodaj u košaricu, Budget,Budžet, -Chart Of Accounts Importer,Uvoznik kontnog plana, Chart of Accounts,Chart of Accounts, Customer database.,Baza podataka klijenata., Days Since Last order,Dana od posljednje narudžbe, @@ -4939,7 +4931,6 @@ Closing Account Head,Zatvaranje računa šefa, POS Customer Group,POS kupaca Grupa, POS Field,POS polje, POS Item Group,POS Stavka Group, -[Select],[ izaberite ], Company Address,Company Adresa, Update Stock,Ažurirajte Stock, Ignore Pricing Rule,Ignorirajte Cijene pravilo, @@ -6597,11 +6588,6 @@ Relieving Date,Rasterećenje Datum, Reason for Leaving,Razlog za odlazak, Leave Encashed?,Ostavite Encashed?, Encashment Date,Encashment Datum, -Exit Interview Details,Izlaz Intervju Detalji, -Held On,Održanoj, -Reason for Resignation,Razlog za ostavku, -Better Prospects,Bolji izgledi, -Health Concerns,Zdravlje Zabrinutost, New Workplace,Novi radnom mjestu, HR-EAD-.YYYY.-,HR-EAD-YYYY.-, Returned Amount,Iznos vraćenog iznosa, @@ -8237,9 +8223,6 @@ Landed Cost Help,Sleteo Cost Pomoć, Manufacturers used in Items,Proizvođači se koriste u Predmeti, Limited to 12 characters,Ograničena na 12 znakova, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Postavi skladište, -Sets 'For Warehouse' in each row of the Items table.,Postavlja 'Za skladište' u svaki red tabele Predmeti., -Requested For,Traženi Za, Partially Ordered,Djelomično naređeno, Transferred,prebačen, % Ordered,% Poruceno, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Skladište zahtjeva za materijalom, Select warehouse for material requests,Odaberite skladište za zahtjeve za materijalom, Transfer Materials For Warehouse {0},Transfer materijala za skladište {0}, Production Plan Material Request Warehouse,Skladište zahtjeva za planom proizvodnje, -Set From Warehouse,Postavljeno iz skladišta, -Source Warehouse (Material Transfer),Izvorno skladište (prijenos materijala), Sets 'Source Warehouse' in each row of the items table.,Postavlja 'Izvorno skladište' u svaki red tablice stavki., Sets 'Target Warehouse' in each row of the items table.,Postavlja 'Target Warehouse' u svaki red tablice stavki., Show Cancelled Entries,Prikaži otkazane unose, @@ -9155,7 +9136,6 @@ Professional Tax,Porez na profesionalce, Is Income Tax Component,Je komponenta poreza na dohodak, Component properties and references ,Svojstva i reference komponenata, Additional Salary ,Dodatna plata, -Condtion and formula,Stanje i formula, Unmarked days,Neoznačeni dani, Absent Days,Dani odsutnosti, Conditions and Formula variable and example,Uvjeti i varijabla formule i primjer, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Pogreška nevažećeg zahtjeva karira, Please check your Plaid client ID and secret values,Molimo provjerite svoj ID klijenta i tajne vrijednosti, Bank transaction creation error,Greška u kreiranju bankovne transakcije, Unit of Measurement,Mjerna jedinica, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Red # {}: Stopa prodaje predmeta {} niža je od njegove {}. Stopa prodaje treba biti najmanje {}, Fiscal Year {0} Does Not Exist,Fiskalna godina {0} ne postoji, Row # {0}: Returned Item {1} does not exist in {2} {3},Redak {0}: Vraćena stavka {1} ne postoji u {2} {3}, Valuation type charges can not be marked as Inclusive,Naknade za vrstu vrednovanja ne mogu se označiti kao sveobuhvatne, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Postavite vri Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Vrijeme odziva za {0} prioritet u redu {1} ne može biti veće od vremena razlučivanja., {0} is not enabled in {1},{0} nije omogućen u {1}, Group by Material Request,Grupiraj prema zahtjevu za materijal, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Red {0}: Za dobavljača {0} za slanje e-pošte potrebna je adresa e-pošte, Email Sent to Supplier {0},E-pošta poslana dobavljaču {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Pristup zahtjevu za ponudu sa portala je onemogućen. Da biste omogućili pristup, omogućite ga u postavkama portala.", Supplier Quotation {0} Created,Ponuda dobavljača {0} kreirana, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Ukupna dodijeljena težina Account {0} exists in parent company {1}.,Račun {0} postoji u matičnoj kompaniji {1}., "To overrule this, enable '{0}' in company {1}","Da biste ovo prevladali, omogućite '{0}' u kompaniji {1}", Invalid condition expression,Nevažeći izraz stanja, +Please Select a Company First,Prvo odaberite kompaniju, +Please Select Both Company and Party Type First,Molimo odaberite prvo vrstu kompanije i stranke, +Provide the invoice portion in percent,Navedite dio fakture u procentima, +Give number of days according to prior selection,Navedite broj dana prema prethodnom odabiru, +Email Details,Detalji e-pošte, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Odaberite pozdrav za prijemnik. Npr. Gospodin, gospođa itd.", +Preview Email,Pregled e-pošte, +Please select a Supplier,Molimo odaberite dobavljača, +Supplier Lead Time (days),Vrijeme isporuke dobavljača (dana), +"Home, Work, etc.","Kuća, posao itd.", +Exit Interview Held On,Izlazni intervju održan, +Condition and formula,Stanje i formula, +Sets 'Target Warehouse' in each row of the Items table.,Postavlja 'Ciljno skladište' u svaki red tabele Predmeti., +Sets 'Source Warehouse' in each row of the Items table.,Postavlja 'Izvorno skladište' u svaki red tabele Predmeti., +POS Register,POS registar, +"Can not filter based on POS Profile, if grouped by POS Profile","Ne može se filtrirati na osnovu POS profila, ako je grupirano po POS profilu", +"Can not filter based on Customer, if grouped by Customer","Ne može se filtrirati prema kupcu, ako ga grupiše kupac", +"Can not filter based on Cashier, if grouped by Cashier","Ne može se filtrirati na osnovu blagajne, ako je grupirana po blagajni", +Payment Method,Način plaćanja, +"Can not filter based on Payment Method, if grouped by Payment Method","Ne može se filtrirati na osnovu načina plaćanja, ako je grupirano prema načinu plaćanja", +Supplier Quotation Comparison,Usporedba ponuda dobavljača, +Price per Unit (Stock UOM),Cijena po jedinici (zaliha UOM), +Group by Supplier,Grupa prema dobavljaču, +Group by Item,Grupiraj po stavkama, +Remember to set {field_label}. It is required by {regulation}.,Ne zaboravite postaviti {field_label}. To zahtijeva {propis}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Datum upisa ne može biti pre datuma početka akademske godine {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Datum upisa ne može biti nakon datuma završetka akademskog roka {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Datum upisa ne može biti pre datuma početka akademskog roka {0}, +Posting future transactions are not allowed due to Immutable Ledger,Knjiženje budućih transakcija nije dozvoljeno zbog Nepromjenjive knjige, +Future Posting Not Allowed,Objavljivanje u budućnosti nije dozvoljeno, +"To enable Capital Work in Progress Accounting, ","Da bi se omogućilo računovodstvo kapitalnog rada u toku,", +you must select Capital Work in Progress Account in accounts table,u tablici računa morate odabrati Račun kapitalnog rada u toku, +You can also set default CWIP account in Company {},Također možete postaviti zadani CWIP račun u kompaniji {}, +The Request for Quotation can be accessed by clicking on the following button,Zahtjevu za ponudu možete pristupiti klikom na sljedeće dugme, +Regards,Pozdrav, +Please click on the following button to set your new password,Kliknite na sljedeći gumb da biste postavili novu lozinku, +Update Password,Ažuriraj lozinku, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Red # {}: Stopa prodaje predmeta {} niža je od njegove {}. Prodaja {} treba biti najmanje {}, +You can alternatively disable selling price validation in {} to bypass this validation.,Alternativno možete onemogućiti provjeru prodajne cijene u {} da biste zaobišli ovu provjeru., +Invalid Selling Price,Nevažeća prodajna cijena, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Adresa mora biti povezana sa kompanijom. Dodajte red za kompaniju u tabelu veza., +Company Not Linked,Kompanija nije povezana, +Import Chart of Accounts from CSV / Excel files,Uvezite kontni plan iz CSV / Excel datoteka, +Completed Qty cannot be greater than 'Qty to Manufacture',Završena količina ne može biti veća od 'Količina za proizvodnju', +"Row {0}: For Supplier {1}, Email Address is Required to send an email",Red {0}: Za dobavljača {1} za slanje e-pošte potrebna je adresa e-pošte, diff --git a/erpnext/translations/ca.csv b/erpnext/translations/ca.csv index 310c66a88e..42ec729ce4 100644 --- a/erpnext/translations/ca.csv +++ b/erpnext/translations/ca.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Càrrec del t Chargeble,Càrrec, Charges are updated in Purchase Receipt against each item,Els càrrecs s'actualitzen amb els rebuts de compra contra cada un dels articles, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Els càrrecs es distribuiran proporcionalment basen en Quantitat o import de l'article, segons la teva selecció", -Chart Of Accounts,Pla General de Comptabilitat, Chart of Cost Centers,Gràfic de centres de cost, Check all,Marqueu totes les, Checkout,caixa, @@ -581,7 +580,6 @@ Company {0} does not exist,Companyia {0} no existeix, Compensatory Off,Compensatori, Compensatory leave request days not in valid holidays,Dates de sol · licitud de baixa compensatòria no en vacances vàlides, Complaint,Queixa, -Completed Qty can not be greater than 'Qty to Manufacture',Completat Quantitat no pot ser major que 'Cant de Fabricació', Completion Date,Data d'acabament, Computer,Ordinador, Condition,Condició, @@ -2033,7 +2031,6 @@ Please select Category first,"Si us plau, Selecciona primer la Categoria", Please select Charge Type first,Seleccioneu Tipus de Càrrec primer, Please select Company,Seleccioneu de l'empresa, Please select Company and Designation,Seleccioneu Companyia i Designació, -Please select Company and Party Type first,Seleccioneu de l'empresa i el Partit Tipus primer, Please select Company and Posting Date to getting entries,Seleccioneu Companyia i Data de publicació per obtenir entrades, Please select Company first,Si us plau seleccioneu l'empresa primer, Please select Completion Date for Completed Asset Maintenance Log,Seleccioneu Data de finalització del registre de manteniment d'actius completat, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,El nom de l& The name of your company for which you are setting up this system.,El nom de la teva empresa per a la qual està creant aquest sistema., The number of shares and the share numbers are inconsistent,El nombre d'accions i els números d'accions són incompatibles, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,El compte de la passarel·la de pagament del pla {0} és diferent del compte de la passarel·la de pagament en aquesta sol·licitud de pagament, -The request for quotation can be accessed by clicking on the following link,La sol·licitud de cotització es pot accedir fent clic al següent enllaç, The selected BOMs are not for the same item,Les llistes de materials seleccionats no són per al mateix article, The selected item cannot have Batch,L'element seleccionat no pot tenir per lots, The seller and the buyer cannot be the same,El venedor i el comprador no poden ser iguals, @@ -3543,7 +3539,6 @@ Company GSTIN,companyia GSTIN, Company field is required,El camp de l'empresa és obligatori, Creating Dimensions...,Creació de dimensions ..., Duplicate entry against the item code {0} and manufacturer {1},Duplicar l'entrada amb el codi de l'article {0} i el fabricant {1}, -Import Chart Of Accounts from CSV / Excel files,Importa el gràfic de comptes de fitxers CSV / Excel, 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 a titulars d'UIN o proveïdors de serveis OIDAR no residents, Invoice Grand Total,Factura total total, Last carbon check date cannot be a future date,L'última data de revisió del carboni no pot ser una data futura, @@ -3920,7 +3915,6 @@ Plaid authentication error,Error d'autenticació de plaid, Plaid public token error,Error de testimoni públic de l'escriptura, Plaid transactions sync error,Error de sincronització de transaccions amb plaid, Please check the error log for details about the import errors,Consulteu el registre d’errors per obtenir més detalls sobre els errors d’importació, -Please click on the following link to set your new password,"Si us plau, feu clic al següent enllaç per configurar la nova contrasenya", Please create DATEV Settings for Company {}.,Creeu la configuració de DATEV per a l'empresa {} ., Please create adjustment Journal Entry for amount {0} ,Creeu l’entrada del diari d’ajust per l’import {0}., Please do not create more than 500 items at a time,No creeu més de 500 articles alhora, @@ -4043,7 +4037,6 @@ Search results for,Resultats de la cerca, Select All,Selecciona tot, Select Difference Account,Seleccioneu el compte de diferències, Select a Default Priority.,Seleccioneu una prioritat per defecte., -Select a Supplier from the Default Supplier List of the items below.,Seleccioneu un proveïdor de la llista de proveïdors predeterminada dels articles següents., Select a company,Seleccioneu una empresa, Select finance book for the item {0} at row {1},Seleccioneu un llibre de finances per a l'element {0} de la fila {1}, Select only one Priority as Default.,Seleccioneu només una prioritat com a predeterminada., @@ -4247,7 +4240,6 @@ Yes,Sí, Actual ,Reial, Add to cart,Afegir a la cistella, Budget,Pressupost, -Chart Of Accounts Importer,Gràfic de l'importador de comptes, Chart of Accounts,Taula de comptes, Customer database.,Base de dades de clients., Days Since Last order,Dies des de la darrera comanda, @@ -4939,7 +4931,6 @@ Closing Account Head,Tancant el Compte principal, POS Customer Group,POS Grup de Clients, POS Field,Camp POS, POS Item Group,POS Grup d'articles, -[Select],[Seleccionar], Company Address,Direcció de l'empresa, Update Stock,Actualització de Stock, Ignore Pricing Rule,Ignorar Regla preus, @@ -6597,11 +6588,6 @@ Relieving Date,Data Alleujar, Reason for Leaving,Raons per deixar el, Leave Encashed?,Leave Encashed?, Encashment Date,Data Cobrament, -Exit Interview Details,Detalls de l'entrevista final, -Held On,Held On, -Reason for Resignation,Motiu del cessament, -Better Prospects,Millors perspectives, -Health Concerns,Problemes de Salut, New Workplace,Nou lloc de treball, HR-EAD-.YYYY.-,HR-EAD -YYYY.-, Returned Amount,Import retornat, @@ -8237,9 +8223,6 @@ Landed Cost Help,Landed Cost Ajuda, Manufacturers used in Items,Fabricants utilitzats en articles, Limited to 12 characters,Limitat a 12 caràcters, MAT-MR-.YYYY.-,MAT-MR.- AAAA.-, -Set Warehouse,Establir magatzem, -Sets 'For Warehouse' in each row of the Items table.,Estableix "Per a magatzem" a cada fila de la taula Elements., -Requested For,Requerida Per, Partially Ordered,Parcialment ordenat, Transferred,transferit, % Ordered,Demanem%, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Sol·licitud de material Magatzem, Select warehouse for material requests,Seleccioneu un magatzem per a sol·licituds de material, Transfer Materials For Warehouse {0},Transferència de materials per a magatzem {0}, Production Plan Material Request Warehouse,Pla de producció Sol·licitud de material Magatzem, -Set From Warehouse,Establert des del magatzem, -Source Warehouse (Material Transfer),Magatzem font (transferència de material), Sets 'Source Warehouse' in each row of the items table.,Estableix "Magatzem font" a cada fila de la taula d'elements., Sets 'Target Warehouse' in each row of the items table.,Estableix "Magatzem objectiu" a cada fila de la taula d'elements., Show Cancelled Entries,Mostra les entrades cancel·lades, @@ -9155,7 +9136,6 @@ Professional Tax,Impost professional, Is Income Tax Component,És un component de l'Impost sobre la Renda, Component properties and references ,Propietats i referències dels components, Additional Salary ,Salari addicional, -Condtion and formula,Condició i fórmula, Unmarked days,Dies sense marcar, Absent Days,Dies absents, Conditions and Formula variable and example,Condició i variable de fórmula i exemple, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Error de sol·licitud no vàlid a quadres, Please check your Plaid client ID and secret values,Comproveu el vostre identificador de client Plaid i els valors secrets, Bank transaction creation error,Error de creació de transaccions bancàries, Unit of Measurement,Unitat de mesura, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Fila núm. {}: El percentatge de venda de l'article {} és inferior al seu {}. El percentatge de vendes ha de ser mínim {}, Fiscal Year {0} Does Not Exist,L’any fiscal {0} no existeix, Row # {0}: Returned Item {1} does not exist in {2} {3},Fila núm. {0}: l'article retornat {1} no existeix a {2} {3}, Valuation type charges can not be marked as Inclusive,Els càrrecs per tipus de taxació no es poden marcar com a Inclosius, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Definiu el te Response Time for {0} priority in row {1} can't be greater than Resolution Time.,El temps de resposta per a la {0} prioritat de la fila {1} no pot ser superior al temps de resolució., {0} is not enabled in {1},{0} no està habilitat a {1}, Group by Material Request,Agrupa per petició de material, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Fila {0}: per al proveïdor {0}, cal enviar una adreça de correu electrònic", Email Sent to Supplier {0},Correu electrònic enviat al proveïdor {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","L'accés a la sol·licitud de pressupost des del portal està desactivat. Per permetre l'accés, activeu-lo a Configuració del portal.", Supplier Quotation {0} Created,S'ha creat la cotització del proveïdor {0}, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},El pes total assignat ha d Account {0} exists in parent company {1}.,El compte {0} existeix a l'empresa matriu {1}., "To overrule this, enable '{0}' in company {1}","Per anul·lar això, activeu "{0}" a l'empresa {1}", Invalid condition expression,Expressió de condició no vàlida, +Please Select a Company First,Seleccioneu primer una empresa, +Please Select Both Company and Party Type First,Seleccioneu primer el tipus d’empresa i de festa, +Provide the invoice portion in percent,Proporcioneu la part de la factura en percentatge, +Give number of days according to prior selection,Indiqueu el nombre de dies segons la selecció prèvia, +Email Details,Detalls del correu electrònic, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Seleccioneu una felicitació per al receptor. Per exemple, senyor, senyora, etc.", +Preview Email,Vista prèvia del correu electrònic, +Please select a Supplier,Seleccioneu un proveïdor, +Supplier Lead Time (days),Temps de lliurament del proveïdor (dies), +"Home, Work, etc.","Llar, feina, etc.", +Exit Interview Held On,Surt de l'entrevista realitzada, +Condition and formula,Condició i fórmula, +Sets 'Target Warehouse' in each row of the Items table.,Estableix "Magatzem objectiu" a cada fila de la taula Elements., +Sets 'Source Warehouse' in each row of the Items table.,Estableix "Magatzem font" a cada fila de la taula Elements., +POS Register,Registre TPV, +"Can not filter based on POS Profile, if grouped by POS Profile","No es pot filtrar segons el perfil de TPV, si s'agrupa per perfil de TPV", +"Can not filter based on Customer, if grouped by Customer","No es pot filtrar en funció del client, si s'agrupa per client", +"Can not filter based on Cashier, if grouped by Cashier","No es pot filtrar segons el Caixer, si s'agrupa per Caixer", +Payment Method,Mètode de pagament, +"Can not filter based on Payment Method, if grouped by Payment Method","No es pot filtrar en funció del mètode de pagament, si s'agrupa per mètode de pagament", +Supplier Quotation Comparison,Comparació de pressupostos de proveïdors, +Price per Unit (Stock UOM),Preu per unitat (UOM d’estoc), +Group by Supplier,Grup per proveïdor, +Group by Item,Agrupa per ítem, +Remember to set {field_label}. It is required by {regulation}.,Recordeu establir {field_label}. És obligatori per {reglament}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},La data d'inscripció no pot ser anterior a la data d'inici de l'any acadèmic {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},La data d'inscripció no pot ser posterior a la data de finalització del període acadèmic {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},La data d'inscripció no pot ser anterior a la data d'inici del període acadèmic {0}, +Posting future transactions are not allowed due to Immutable Ledger,No es permet la publicació de transaccions futures a causa de Immutable Ledger, +Future Posting Not Allowed,No es permeten publicacions futures, +"To enable Capital Work in Progress Accounting, ","Per activar la comptabilitat de treballs en capital,", +you must select Capital Work in Progress Account in accounts table,heu de seleccionar el compte de capital en curs a la taula de comptes, +You can also set default CWIP account in Company {},També podeu definir un compte CWIP predeterminat a Company {}, +The Request for Quotation can be accessed by clicking on the following button,Es pot accedir a la sol·licitud de pressupost fent clic al botó següent, +Regards,Salutacions, +Please click on the following button to set your new password,Feu clic al botó següent per configurar la vostra nova contrasenya, +Update Password,Actualitza la contrasenya, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Fila núm. {}: El percentatge de vendes de l'article {} és inferior al seu {}. La venda {} hauria de ser mínima {}, +You can alternatively disable selling price validation in {} to bypass this validation.,També podeu desactivar la validació de preus de venda a {} per evitar aquesta validació., +Invalid Selling Price,Preu de venda no vàlid, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,L’adreça ha d’estar vinculada a una empresa. Afegiu una fila per a Empresa a la taula Enllaços., +Company Not Linked,Empresa no vinculada, +Import Chart of Accounts from CSV / Excel files,Importeu un pla de comptes de fitxers CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',La quantitat completada no pot ser superior a "Quantitat per fabricar", +"Row {0}: For Supplier {1}, Email Address is Required to send an email","Fila {0}: per al proveïdor {1}, cal enviar una adreça electrònica per enviar un correu electrònic", diff --git a/erpnext/translations/cs.csv b/erpnext/translations/cs.csv index a96783b1c7..af5360300a 100644 --- a/erpnext/translations/cs.csv +++ b/erpnext/translations/cs.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Obvinění z Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,Poplatky jsou aktualizovány v dokladu o koupi na každou položku, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Poplatky budou rozděleny úměrně na základě položky Množství nebo částkou, dle Vašeho výběru", -Chart Of Accounts,Diagram účtů, Chart of Cost Centers,Diagram nákladových středisek, Check all,Zkontrolovat vše, Checkout,Odhlásit se, @@ -581,7 +580,6 @@ Company {0} does not exist,Společnost {0} neexistuje, Compensatory Off,Vyrovnávací Off, Compensatory leave request days not in valid holidays,Kompenzační prázdniny nejsou v platných prázdninách, Complaint,Stížnost, -Completed Qty can not be greater than 'Qty to Manufacture',"Dokončené množství nemůže být větší než ""Množství do výroby""", Completion Date,Dokončení Datum, Computer,Počítač, Condition,Podmínka, @@ -2033,7 +2031,6 @@ Please select Category first,Nejdřív vyberte kategorii, Please select Charge Type first,"Prosím, vyberte druh tarifu první", Please select Company,"Prosím, vyberte Company", Please select Company and Designation,Vyberte prosím společnost a označení, -Please select Company and Party Type first,Vyberte první společnost a Party Typ, Please select Company and Posting Date to getting entries,Zvolte prosím datum společnosti a datum odevzdání, Please select Company first,"Prosím, vyberte první firma", Please select Completion Date for Completed Asset Maintenance Log,Zvolte datum dokončení dokončeného protokolu údržby aktiv, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Název insti The name of your company for which you are setting up this system.,"Název vaší společnosti, pro kterou nastavení tohoto systému.", The number of shares and the share numbers are inconsistent,Počet akcií a čísla akcií je nekonzistentní, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Účet platební brány v plánu {0} se liší od účtu platební brány v této žádosti o platbu, -The request for quotation can be accessed by clicking on the following link,Žádost o cenovou nabídku lze přistupovat kliknutím na následující odkaz, The selected BOMs are not for the same item,Vybrané kusovníky nejsou stejné položky, The selected item cannot have Batch,Vybraná položka nemůže mít dávku, The seller and the buyer cannot be the same,Prodávající a kupující nemohou být stejní, @@ -3543,7 +3539,6 @@ Company GSTIN,Společnost GSTIN, Company field is required,Pole společnosti je povinné, Creating Dimensions...,Vytváření dimenzí ..., Duplicate entry against the item code {0} and manufacturer {1},Duplicitní zadání oproti kódu položky {0} a výrobci {1}, -Import Chart Of Accounts from CSV / Excel files,Importujte graf účtů ze souborů CSV / Excel, 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 nerezidentní poskytovatele služeb OIDAR, Invoice Grand Total,Faktura celkem celkem, Last carbon check date cannot be a future date,Datum poslední kontroly uhlíku nemůže být budoucí, @@ -3920,7 +3915,6 @@ Plaid authentication error,Chyba plaid autentizace, Plaid public token error,Plaid public token error, Plaid transactions sync error,Chyba synchronizace plaidních transakcí, Please check the error log for details about the import errors,Podrobnosti o chybách importu naleznete v protokolu chyb, -Please click on the following link to set your new password,"Prosím klikněte na následující odkaz, pro nastavení nového hesla", Please create DATEV Settings for Company {}.,Vytvořte prosím nastavení DATEV pro společnost {} ., Please create adjustment Journal Entry for amount {0} ,Vytvořte prosím opravný zápis do deníku o částku {0}, Please do not create more than 500 items at a time,Nevytvářejte více než 500 položek najednou, @@ -4043,7 +4037,6 @@ Search results for,Výsledky hledání pro, Select All,Vybrat vše, Select Difference Account,Vyberte rozdílový účet, Select a Default Priority.,Vyberte výchozí prioritu., -Select a Supplier from the Default Supplier List of the items below.,Vyberte dodavatele z výchozího seznamu dodavatelů níže uvedených položek., Select a company,Vyberte společnost, Select finance book for the item {0} at row {1},Vyberte finanční knihu pro položku {0} v řádku {1}, Select only one Priority as Default.,Jako výchozí vyberte pouze jednu prioritu., @@ -4247,7 +4240,6 @@ Yes,Ano, Actual ,Aktuální, Add to cart,Přidat do košíku, Budget,Rozpočet, -Chart Of Accounts Importer,Dovozce grafů účtů, Chart of Accounts,Graf účtů, Customer database.,Databáze zákazníků., Days Since Last order,Počet dnů od poslední objednávky, @@ -4939,7 +4931,6 @@ Closing Account Head,Závěrečný účet hlava, POS Customer Group,POS Customer Group, POS Field,Pole POS, POS Item Group,POS položky Group, -[Select],[Vybrat], Company Address,adresa společnosti, Update Stock,Aktualizace skladem, Ignore Pricing Rule,Ignorovat Ceny pravidlo, @@ -6597,11 +6588,6 @@ Relieving Date,Uvolnění Datum, Reason for Leaving,Důvod Leaving, Leave Encashed?,Dovolená proplacena?, Encashment Date,Inkaso Datum, -Exit Interview Details,Exit Rozhovor Podrobnosti, -Held On,Které se konalo dne, -Reason for Resignation,Důvod rezignace, -Better Prospects,Lepší vyhlídky, -Health Concerns,Zdravotní Obavy, New Workplace,Nové pracoviště, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Vrácená částka, @@ -8237,9 +8223,6 @@ Landed Cost Help,Přistálo Náklady Help, Manufacturers used in Items,Výrobci používané v bodech, Limited to 12 characters,Omezeno na 12 znaků, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Nastavit sklad, -Sets 'For Warehouse' in each row of the Items table.,Nastaví v každém řádku tabulky „For Warehouse“., -Requested For,Požadovaných pro, Partially Ordered,Částečně objednáno, Transferred,Přestoupil, % Ordered,% objednáno, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Sklad požadavku na materiál, Select warehouse for material requests,Vyberte sklad pro požadavky na materiál, Transfer Materials For Warehouse {0},Přenos materiálů do skladu {0}, Production Plan Material Request Warehouse,Sklad požadavku na materiál výrobního plánu, -Set From Warehouse,Nastaveno ze skladu, -Source Warehouse (Material Transfer),Zdrojový sklad (přenos materiálu), Sets 'Source Warehouse' in each row of the items table.,Nastaví v každém řádku tabulky položek „Zdrojový sklad“., Sets 'Target Warehouse' in each row of the items table.,Nastaví v každém řádku tabulky položek „Target Warehouse“., Show Cancelled Entries,Zobrazit zrušené položky, @@ -9155,7 +9136,6 @@ Professional Tax,Profesionální daň, Is Income Tax Component,Je složkou daně z příjmu, Component properties and references ,Vlastnosti komponent a odkazy, Additional Salary ,Dodatečný plat, -Condtion and formula,Podmínky a vzorec, Unmarked days,Neoznačené dny, Absent Days,Chybějící dny, Conditions and Formula variable and example,Podmínky a proměnná vzorce a příklad, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Přehozená chyba neplatné žádosti, Please check your Plaid client ID and secret values,Zkontrolujte prosím ID klienta a tajné hodnoty, Bank transaction creation error,Chyba při vytváření bankovní transakce, Unit of Measurement,Jednotka měření, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Řádek {}: Míra prodeje pro položku {} je nižší než její {}. Míra prodeje by měla být alespoň {}, Fiscal Year {0} Does Not Exist,Fiskální rok {0} neexistuje, Row # {0}: Returned Item {1} does not exist in {2} {3},Řádek č. {0}: Vrácená položka {1} neexistuje v doméně {2} {3}, Valuation type charges can not be marked as Inclusive,Poplatky typu ocenění nelze označit jako inkluzivní, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Nastavte čas Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Doba odezvy pro {0} prioritu v řádku {1} nesmí být větší než doba rozlišení., {0} is not enabled in {1},{0} není povolen v {1}, Group by Material Request,Seskupit podle požadavku na materiál, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Řádek {0}: U dodavatele {0} je pro odesílání e-mailů vyžadována e-mailová adresa, Email Sent to Supplier {0},E-mail odeslaný dodavateli {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Přístup k žádosti o nabídku z portálu je zakázán. Chcete-li povolit přístup, povolte jej v nastavení portálu.", Supplier Quotation {0} Created,Nabídka dodavatele {0} vytvořena, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Celková přidělená hmot Account {0} exists in parent company {1}.,Účet {0} existuje v mateřské společnosti {1}., "To overrule this, enable '{0}' in company {1}","Chcete-li to potlačit, povolte ve společnosti {1} „{0}“", Invalid condition expression,Neplatný výraz podmínky, +Please Select a Company First,Nejprve vyberte společnost, +Please Select Both Company and Party Type First,Nejprve vyberte prosím společnost a typ strany, +Provide the invoice portion in percent,Uveďte část faktury v procentech, +Give number of days according to prior selection,Uveďte počet dní podle předchozího výběru, +Email Details,E-mailové podrobnosti, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Vyberte pozdrav pro příjemce. Např. Pan, paní atd.", +Preview Email,Náhled e-mailu, +Please select a Supplier,Vyberte prosím dodavatele, +Supplier Lead Time (days),Dodací lhůta dodavatele (dny), +"Home, Work, etc.","Domov, práce atd.", +Exit Interview Held On,Exit Interview Holded On, +Condition and formula,Stav a vzorec, +Sets 'Target Warehouse' in each row of the Items table.,Nastaví v každém řádku tabulky položek „Cílový sklad“., +Sets 'Source Warehouse' in each row of the Items table.,Nastaví „Zdrojový sklad“ v každém řádku tabulky Položky., +POS Register,POS registr, +"Can not filter based on POS Profile, if grouped by POS Profile","Nelze filtrovat na základě POS profilu, pokud je seskupen podle POS profilu", +"Can not filter based on Customer, if grouped by Customer","Nelze filtrovat na základě zákazníka, pokud je seskupen podle zákazníka", +"Can not filter based on Cashier, if grouped by Cashier","Nelze filtrovat podle pokladníka, pokud je seskupen podle pokladníka", +Payment Method,Způsob platby, +"Can not filter based on Payment Method, if grouped by Payment Method","Nelze filtrovat podle způsobu platby, pokud jsou seskupeny podle způsobu platby", +Supplier Quotation Comparison,Porovnání nabídky dodavatele, +Price per Unit (Stock UOM),Cena za jednotku (MJ na skladě), +Group by Supplier,Seskupit podle dodavatele, +Group by Item,Seskupit podle položky, +Remember to set {field_label}. It is required by {regulation}.,Nezapomeňte nastavit {field_label}. Vyžaduje to {nařízení}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Datum zápisu nesmí být dříve než datum zahájení akademického roku {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Datum zápisu nesmí být po datu ukončení akademického období {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Datum zápisu nemůže být dříve než datum zahájení akademického období {0}, +Posting future transactions are not allowed due to Immutable Ledger,Zúčtování budoucích transakcí není povoleno kvůli Immutable Ledger, +Future Posting Not Allowed,Budoucí zveřejňování příspěvků není povoleno, +"To enable Capital Work in Progress Accounting, ","Chcete-li povolit průběžné účtování kapitálu,", +you must select Capital Work in Progress Account in accounts table,v tabulce účtů musíte vybrat Účet rozpracovaného kapitálu, +You can also set default CWIP account in Company {},Ve společnosti {} můžete také nastavit výchozí účet CWIP, +The Request for Quotation can be accessed by clicking on the following button,Požadavek na nabídku je přístupný kliknutím na následující tlačítko, +Regards,pozdravy, +Please click on the following button to set your new password,Kliknutím na následující tlačítko nastavíte nové heslo, +Update Password,Aktualizujte heslo, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Řádek {}: Míra prodeje pro položku {} je nižší než její {}. Prodej {} by měl být alespoň {}, +You can alternatively disable selling price validation in {} to bypass this validation.,Alternativně můžete deaktivovat ověření prodejní ceny v {} a toto ověření obejít., +Invalid Selling Price,Neplatná prodejní cena, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Adresu je třeba propojit se společností. V tabulce Odkazy přidejte řádek pro Společnost., +Company Not Linked,Společnost není propojena, +Import Chart of Accounts from CSV / Excel files,Importujte účtovou osnovu ze souborů CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',Dokončené množství nemůže být větší než „Množství do výroby“, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",Řádek {0}: U dodavatele {1} je pro odeslání e-mailu vyžadována e-mailová adresa, diff --git a/erpnext/translations/da.csv b/erpnext/translations/da.csv index 7824a94d70..38d76adeca 100644 --- a/erpnext/translations/da.csv +++ b/erpnext/translations/da.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Afgift af typ Chargeble,chargeble, Charges are updated in Purchase Receipt against each item,Afgifter er opdateret i købskvitteringen for hver enkelt vare, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Afgifter vil blive fordelt forholdsmæssigt baseret på post qty eller mængden, som pr dit valg", -Chart Of Accounts,Kontoplan, Chart of Cost Centers,Diagram af omkostningssteder, Check all,Vælg alle, Checkout,bestilling, @@ -581,7 +580,6 @@ Company {0} does not exist,Firma {0} findes ikke, Compensatory Off,Kompenserende Off, Compensatory leave request days not in valid holidays,Forsøgsfrihed anmodningsdage ikke i gyldige helligdage, Complaint,Symptom, -Completed Qty can not be greater than 'Qty to Manufacture',Afsluttet Antal kan ikke være større end 'antal til Fremstilling', Completion Date,Afslutning Dato, Computer,Computer, Condition,Tilstand, @@ -2033,7 +2031,6 @@ Please select Category first,Vælg kategori først, Please select Charge Type first,Vælg Charge Type først, Please select Company,Vælg firma, Please select Company and Designation,Vælg venligst Firma og Betegnelse, -Please select Company and Party Type first,Vælg Virksomhed og Selskabstype først, Please select Company and Posting Date to getting entries,Vælg venligst Company og Posting Date for at få poster, Please select Company first,Vælg venligst firma først, Please select Completion Date for Completed Asset Maintenance Log,Vælg venligst Afslutningsdato for Udfyldt Asset Maintenance Log, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,"Navnet på The name of your company for which you are setting up this system.,"Navnet på dit firma, som du oprette i dette system.", The number of shares and the share numbers are inconsistent,Antallet af aktier og aktienumrene er inkonsekvente, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Betalingsgateway-kontoen i plan {0} er forskellig fra betalingsgateway-kontoen i denne betalingsanmodning, -The request for quotation can be accessed by clicking on the following link,Tilbudsforespørgslen findes ved at klikke på følgende link, The selected BOMs are not for the same item,De valgte styklister er ikke for den samme vare, The selected item cannot have Batch,Den valgte vare kan ikke have parti, The seller and the buyer cannot be the same,Sælgeren og køberen kan ikke være det samme, @@ -3543,7 +3539,6 @@ Company GSTIN,Firma GSTIN, Company field is required,Virksomhedsfelt er påkrævet, Creating Dimensions...,Opretter dimensioner ..., Duplicate entry against the item code {0} and manufacturer {1},Kopiér indtastning mod varekoden {0} og producenten {1}, -Import Chart Of Accounts from CSV / Excel files,Importer oversigt over konti fra CSV / Excel-filer, Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,"Ugyldig GSTIN! Det input, du har indtastet, stemmer ikke overens med GSTIN-formatet for UIN-indehavere eller ikke-residente OIDAR-tjenesteudbydere", Invoice Grand Total,Faktura Grand Total, Last carbon check date cannot be a future date,Sidste dato for kulstofkontrol kan ikke være en fremtidig dato, @@ -3920,7 +3915,6 @@ Plaid authentication error,Plaid-godkendelsesfejl, Plaid public token error,Plaid public token error, Plaid transactions sync error,Fejl i synkronisering af pladetransaktioner, Please check the error log for details about the import errors,Kontroller fejlloggen for detaljer om importfejl, -Please click on the following link to set your new password,Klik på følgende link for at indstille din nye adgangskode, Please create DATEV Settings for Company {}.,Opret venligst DATEV-indstillinger for firma {} ., Please create adjustment Journal Entry for amount {0} ,Opret venligst justering af journalindtastning for beløb {0}, Please do not create more than 500 items at a time,Opret venligst ikke mere end 500 varer ad gangen, @@ -4043,7 +4037,6 @@ Search results for,Søgeresultater for, Select All,Vælg alt, Select Difference Account,Vælg Difference Account, Select a Default Priority.,Vælg en standardprioritet., -Select a Supplier from the Default Supplier List of the items below.,Vælg en leverandør fra standardleverandørlisten med nedenstående varer., Select a company,Vælg et firma, Select finance book for the item {0} at row {1},Vælg finansbog for varen {0} i række {1}, Select only one Priority as Default.,Vælg kun en prioritet som standard., @@ -4247,7 +4240,6 @@ Yes,Ja, Actual ,Faktiske, Add to cart,Føj til indkøbsvogn, Budget,Budget, -Chart Of Accounts Importer,Kontoplan for importør, Chart of Accounts,Kontoplan, Customer database.,Kundedatabase., Days Since Last order,Dage siden sidste ordre, @@ -4939,7 +4931,6 @@ Closing Account Head,Lukning konto Hoved, POS Customer Group,Kassesystem-kundegruppe, POS Field,POS felt, POS Item Group,Kassesystem-varegruppe, -[Select],[Vælg], Company Address,Virksomhedsadresse, Update Stock,Opdatering Stock, Ignore Pricing Rule,Ignorér prisfastsættelsesregel, @@ -6597,11 +6588,6 @@ Relieving Date,Lindre Dato, Reason for Leaving,Årsag til Leaving, Leave Encashed?,Skal fravær udbetales?, Encashment Date,Indløsningsdato, -Exit Interview Details,Exit Interview Detaljer, -Held On,Held On, -Reason for Resignation,Årsag til Udmeldelse, -Better Prospects,Bedre udsigter, -Health Concerns,Sundhedsmæssige betænkeligheder, New Workplace,Ny Arbejdsplads, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Returneret beløb, @@ -8237,9 +8223,6 @@ Landed Cost Help,Landed Cost Hjælp, Manufacturers used in Items,"Producenter, der anvendes i artikler", Limited to 12 characters,Begrænset til 12 tegn, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Indstil lager, -Sets 'For Warehouse' in each row of the Items table.,Indstiller 'For lager' i hver række i tabellen Varer., -Requested For,Anmodet om, Partially Ordered,Delvist bestilt, Transferred,overført, % Ordered,% Bestilt, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Materialeanmodningslager, Select warehouse for material requests,Vælg lager til materialeanmodninger, Transfer Materials For Warehouse {0},Overfør materiale til lager {0}, Production Plan Material Request Warehouse,Produktionsplan Materialeanmodningslager, -Set From Warehouse,Sæt fra lager, -Source Warehouse (Material Transfer),Kildelager (overførsel af materiale), Sets 'Source Warehouse' in each row of the items table.,Indstiller 'Source Warehouse' i hver række i varetabellen., Sets 'Target Warehouse' in each row of the items table.,Indstiller 'Target Warehouse' i hver række i varetabellen., Show Cancelled Entries,Vis annullerede poster, @@ -9155,7 +9136,6 @@ Professional Tax,Professionel skat, Is Income Tax Component,Er indkomstskatkomponent, Component properties and references ,Komponentegenskaber og referencer, Additional Salary ,Yderligere løn, -Condtion and formula,Konduktion og formel, Unmarked days,Umarkerede dage, Absent Days,Fraværende dage, Conditions and Formula variable and example,Betingelser og formelvariabel og eksempel, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Plaid ugyldig anmodning fejl, Please check your Plaid client ID and secret values,Kontroller dit Plaid-klient-id og hemmelige værdier, Bank transaction creation error,Fejl ved oprettelse af banktransaktioner, Unit of Measurement,Måleenhed, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Række nr. {}: Sælgeraten for varen {} er lavere end dens {}. Sælgesatsen skal være mindst {}, Fiscal Year {0} Does Not Exist,Regnskabsår {0} eksisterer ikke, Row # {0}: Returned Item {1} does not exist in {2} {3},Række nr. {0}: Returneret vare {1} findes ikke i {2} {3}, Valuation type charges can not be marked as Inclusive,Gebyrer for værdiansættelse kan ikke markeres som inklusiv, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Indstil svart Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Svartid for {0} prioritet i række {1} kan ikke være længere end opløsningstid., {0} is not enabled in {1},{0} er ikke aktiveret i {1}, Group by Material Request,Gruppér efter materialeanmodning, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Række {0}: For leverandør {0} kræves e-mail-adresse for at sende e-mail, Email Sent to Supplier {0},E-mail sendt til leverandør {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",Adgangen til anmodning om tilbud fra portal er deaktiveret. For at give adgang skal du aktivere den i portalindstillinger., Supplier Quotation {0} Created,Leverandørstilbud {0} Oprettet, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Den samlede tildelte vægt Account {0} exists in parent company {1}.,Konto {0} findes i moderselskabet {1}., "To overrule this, enable '{0}' in company {1}",For at tilsidesætte dette skal du aktivere '{0}' i firmaet {1}, Invalid condition expression,Ugyldigt udtryk for tilstand, +Please Select a Company First,Vælg først et firma, +Please Select Both Company and Party Type First,Vælg både firma og festtype først, +Provide the invoice portion in percent,Angiv fakturadelen i procent, +Give number of days according to prior selection,Angiv antal dage i henhold til forudgående valg, +Email Details,E-mail-oplysninger, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Vælg en hilsen til modtageren. F.eks. Hr., Fru osv.", +Preview Email,Eksempel på e-mail, +Please select a Supplier,Vælg en leverandør, +Supplier Lead Time (days),Leveringstid (dage), +"Home, Work, etc.","Hjem, arbejde osv.", +Exit Interview Held On,Afslut interview afholdt, +Condition and formula,Tilstand og formel, +Sets 'Target Warehouse' in each row of the Items table.,Indstiller 'Target Warehouse' i hver række i varetabellen., +Sets 'Source Warehouse' in each row of the Items table.,Indstiller 'Source Warehouse' i hver række i tabellen Items., +POS Register,POS-register, +"Can not filter based on POS Profile, if grouped by POS Profile","Kan ikke filtrere baseret på POS-profil, hvis grupperet efter POS-profil", +"Can not filter based on Customer, if grouped by Customer","Kan ikke filtrere baseret på kunde, hvis grupperet efter kunde", +"Can not filter based on Cashier, if grouped by Cashier","Kan ikke filtrere baseret på kasser, hvis grupperet efter kasser", +Payment Method,Betalingsmetode, +"Can not filter based on Payment Method, if grouped by Payment Method","Kan ikke filtrere baseret på betalingsmetode, hvis grupperet efter betalingsmetode", +Supplier Quotation Comparison,Sammenligning af tilbud fra leverandører, +Price per Unit (Stock UOM),Pris pr. Enhed (lager UOM), +Group by Supplier,Grupper efter leverandør, +Group by Item,Gruppér efter vare, +Remember to set {field_label}. It is required by {regulation}.,Husk at indstille {field_label}. Det kræves af {regulering}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Tilmeldingsdato kan ikke være før startdatoen for det akademiske år {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Tilmeldingsdato kan ikke være efter slutdatoen for den akademiske periode {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Tilmeldingsdato kan ikke være før startdatoen for den akademiske periode {0}, +Posting future transactions are not allowed due to Immutable Ledger,Det er ikke tilladt at bogføre fremtidige transaktioner på grund af Immutable Ledger, +Future Posting Not Allowed,Fremtidig udstationering ikke tilladt, +"To enable Capital Work in Progress Accounting, ","For at aktivere Capital Work in Progress Accounting,", +you must select Capital Work in Progress Account in accounts table,du skal vælge Capital Work in Progress konto i kontotabellen, +You can also set default CWIP account in Company {},Du kan også indstille CWIP-standardkonto i Company {}, +The Request for Quotation can be accessed by clicking on the following button,Anmodningen om tilbud kan fås ved at klikke på følgende knap, +Regards,Hilsen, +Please click on the following button to set your new password,Klik på følgende knap for at indstille din nye adgangskode, +Update Password,Opdater adgangskode, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Række nr. {}: Sælgeraten for varen {} er lavere end dens {}. Salg {} skal mindst være {}, +You can alternatively disable selling price validation in {} to bypass this validation.,Du kan alternativt deaktivere validering af salgspris i {} for at omgå denne validering., +Invalid Selling Price,Ugyldig salgspris, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Adresse skal knyttes til et firma. Tilføj en række for firma i tabellen Links., +Company Not Linked,Virksomhed ikke tilknyttet, +Import Chart of Accounts from CSV / Excel files,Importer kontoplan fra CSV / Excel-filer, +Completed Qty cannot be greater than 'Qty to Manufacture',Udført antal kan ikke være større end 'Antal til fremstilling', +"Row {0}: For Supplier {1}, Email Address is Required to send an email",Række {0}: For leverandør {1} kræves e-mail-adresse for at sende en e-mail, diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv index 35ac0c997c..1b50204002 100644 --- a/erpnext/translations/de.csv +++ b/erpnext/translations/de.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Kosten für Chargeble,Belastung, Charges are updated in Purchase Receipt against each item,Kosten werden im Kaufbeleg für jede Position aktualisiert, "Charges will be distributed proportionately based on item qty or amount, as per your selection",Die Kosten werden gemäß Ihrer Wahl anteilig verteilt basierend auf Artikelmenge oder -preis, -Chart Of Accounts,Kontenplan, Chart of Cost Centers,Kostenstellenplan, Check all,Alle prüfen, Checkout,Kasse, @@ -581,7 +580,6 @@ Company {0} does not exist,Unternehmen {0} existiert nicht, Compensatory Off,Ausgleich für, Compensatory leave request days not in valid holidays,"Tage des Ausgleichsurlaubs, die nicht in den gültigen Feiertagen sind", Complaint,Beschwerde, -Completed Qty can not be greater than 'Qty to Manufacture',"Gefertigte Menge kann nicht größer sein als ""Menge für Herstellung""", Completion Date,Fertigstellungstermin, Computer,Rechner, Condition,Zustand, @@ -2033,7 +2031,6 @@ Please select Category first,Bitte zuerst Kategorie auswählen, Please select Charge Type first,Bitte zuerst Chargentyp auswählen, Please select Company,Bitte Unternehmen auswählen, Please select Company and Designation,Bitte wählen Sie Unternehmen und Stelle, -Please select Company and Party Type first,Bitte zuerst Unternehmen und Gruppentyp auswählen, Please select Company and Posting Date to getting entries,"Bitte wählen Sie Unternehmen und Buchungsdatum, um Einträge zu erhalten", Please select Company first,Bitte zuerst Unternehmen auswählen, Please select Completion Date for Completed Asset Maintenance Log,Bitte wählen Sie Fertigstellungsdatum für das abgeschlossene Wartungsprotokoll für den Vermögenswert, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,"Der Name de The name of your company for which you are setting up this system.,"Firma des Unternehmens, für das dieses System eingerichtet wird.", The number of shares and the share numbers are inconsistent,Die Anzahl der Aktien und die Aktienanzahl sind inkonsistent, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Das Zahlungsgatewaykonto in Plan {0} unterscheidet sich von dem Zahlungsgatewaykonto in dieser Zahlungsanforderung, -The request for quotation can be accessed by clicking on the following link,Die Angebotsanfrage kann durch einen Klick auf den folgenden Link abgerufen werden, The selected BOMs are not for the same item,Die ausgewählten Stücklisten sind nicht für den gleichen Artikel, The selected item cannot have Batch,Der ausgewählte Artikel kann keine Charge haben, The seller and the buyer cannot be the same,Der Verkäufer und der Käufer können nicht identisch sein, @@ -3543,7 +3539,6 @@ Company GSTIN,Unternehmen GSTIN, Company field is required,Firmenfeld ist erforderlich, Creating Dimensions...,Dimensionen erstellen ..., Duplicate entry against the item code {0} and manufacturer {1},Doppelte Eingabe gegen Artikelcode {0} und Hersteller {1}, -Import Chart Of Accounts from CSV / Excel files,Kontenplan aus CSV / Excel-Dateien importieren, 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, Invoice Grand Total,Rechnungssumme, Last carbon check date cannot be a future date,Das Datum der letzten Kohlenstoffprüfung kann kein zukünftiges Datum sein, @@ -3920,7 +3915,6 @@ Plaid authentication error,Plaid-Authentifizierungsfehler, Plaid public token error,Plaid public token error, Plaid transactions sync error,Synchronisierungsfehler für Plaid-Transaktionen, Please check the error log for details about the import errors,Überprüfen Sie das Fehlerprotokoll auf Details zu den Importfehlern, -Please click on the following link to set your new password,Bitte auf die folgende Verknüpfung klicken um ein neues Passwort zu setzen, Please create DATEV Settings for Company {}.,Bitte erstellen Sie DATEV-Einstellungen für Firma {} ., Please create adjustment Journal Entry for amount {0} ,Bitte erstellen Sie eine Berichtigung für den Betrag {0}., Please do not create more than 500 items at a time,Bitte erstellen Sie nicht mehr als 500 Artikel gleichzeitig, @@ -4043,7 +4037,6 @@ Search results for,Suchergebnisse für, Select All,Alles auswählen, Select Difference Account,Wählen Sie Differenzkonto, Select a Default Priority.,Wählen Sie eine Standardpriorität., -Select a Supplier from the Default Supplier List of the items below.,Wählen Sie aus der Liste der Standardlieferanten einen Lieferanten aus., Select a company,Wählen Sie eine Firma aus, Select finance book for the item {0} at row {1},Wählen Sie das Finanzbuch für das Element {0} in Zeile {1} aus., Select only one Priority as Default.,Wählen Sie nur eine Priorität als Standard aus., @@ -4247,7 +4240,6 @@ Yes,Ja, Actual ,Tatsächlich, Add to cart,In den Warenkorb legen, Budget,Budget, -Chart Of Accounts Importer,Kontenplan-Importeur, Chart of Accounts,Kontenplan, Customer database.,Kundendatenbank., Days Since Last order,Tage seit dem letzten Auftrag, @@ -4939,7 +4931,6 @@ Closing Account Head,Bezeichnung des Abschlusskontos, POS Customer Group,POS Kundengruppe, POS Field,POS-Feld, POS Item Group,POS Artikelgruppe, -[Select],[Auswählen], Company Address,Anschrift des Unternehmens, Update Stock,Lagerbestand aktualisieren, Ignore Pricing Rule,Preisregel ignorieren, @@ -6597,11 +6588,6 @@ Relieving Date,Freistellungsdatum, Reason for Leaving,Grund für den Austritt, Leave Encashed?,Urlaub eingelöst?, Encashment Date,Inkassodatum, -Exit Interview Details,Details zum Austrittsgespräch, -Held On,Festgehalten am, -Reason for Resignation,Kündigungsgrund, -Better Prospects,Bessere Vorhersage, -Health Concerns,Gesundheitsfragen, New Workplace,Neuer Arbeitsplatz, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Rückgabebetrag, @@ -8237,9 +8223,6 @@ Landed Cost Help,Hilfe zum Einstandpreis, Manufacturers used in Items,Hersteller im Artikel verwendet, Limited to 12 characters,Limitiert auf 12 Zeichen, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Lager einstellen, -Sets 'For Warehouse' in each row of the Items table.,Legt 'Für Lager' in jeder Zeile der Artikeltabelle fest., -Requested For,Angefordert für, Partially Ordered,Teilweise bestellt, Transferred,Übergeben, % Ordered,% bestellt, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Materialanforderungslager, Select warehouse for material requests,Wählen Sie Lager für Materialanfragen, Transfer Materials For Warehouse {0},Material für Lager übertragen {0}, Production Plan Material Request Warehouse,Produktionsplan Materialanforderungslager, -Set From Warehouse,Aus dem Lager einstellen, -Source Warehouse (Material Transfer),Quelllager (Materialtransfer), Sets 'Source Warehouse' in each row of the items table.,Legt 'Source Warehouse' in jeder Zeile der Artikeltabelle fest., Sets 'Target Warehouse' in each row of the items table.,"Füllt das Feld ""Ziel Lager"" in allen Positionen der folgenden Tabelle.", Show Cancelled Entries,Abgebrochene Einträge anzeigen, @@ -9155,7 +9136,6 @@ Professional Tax,Berufssteuer, Is Income Tax Component,Ist Einkommensteuerkomponente, Component properties and references ,Komponenteneigenschaften und Referenzen, Additional Salary ,Zusätzliches Gehalt, -Condtion and formula,Zustand und Formel, Unmarked days,Nicht markierte Tage, Absent Days,Abwesende Tage, Conditions and Formula variable and example,Bedingungen und Formelvariable und Beispiel, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Plaid ungültiger Anforderungsfehler, Please check your Plaid client ID and secret values,Bitte überprüfen Sie Ihre Plaid-Client-ID und Ihre geheimen Werte, Bank transaction creation error,Fehler beim Erstellen der Banküberweisung, Unit of Measurement,Maßeinheit, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Zeile # {}: Die Verkaufsrate für Artikel {} ist niedriger als die {}. Die Verkaufsrate sollte mindestens {} betragen, Fiscal Year {0} Does Not Exist,Geschäftsjahr {0} existiert nicht, Row # {0}: Returned Item {1} does not exist in {2} {3},Zeile # {0}: Zurückgegebenes Element {1} ist in {2} {3} nicht vorhanden, Valuation type charges can not be marked as Inclusive,Bewertungsgebühren können nicht als Inklusiv gekennzeichnet werden, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Stellen Sie d Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Die Antwortzeit für die Priorität {0} in Zeile {1} darf nicht größer als die Auflösungszeit sein., {0} is not enabled in {1},{0} ist in {1} nicht aktiviert, Group by Material Request,Nach Materialanforderung gruppieren, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Zeile {0}: Für Lieferant {0} ist zum Senden von E-Mails eine E-Mail-Adresse erforderlich, Email Sent to Supplier {0},E-Mail an Lieferanten gesendet {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Der Zugriff auf die Angebotsanfrage vom Portal ist deaktiviert. Um den Zugriff zuzulassen, aktivieren Sie ihn in den Portaleinstellungen.", Supplier Quotation {0} Created,Lieferantenangebot {0} Erstellt, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Das zugewiesene Gesamtgewi Account {0} exists in parent company {1}.,Konto {0} existiert in der Muttergesellschaft {1}., "To overrule this, enable '{0}' in company {1}","Um dies zu überschreiben, aktivieren Sie '{0}' in Firma {1}", Invalid condition expression,Ungültiger Bedingungsausdruck, +Please Select a Company First,Bitte wählen Sie zuerst eine Firma aus, +Please Select Both Company and Party Type First,Bitte wählen Sie zuerst Firmen- und Partytyp aus, +Provide the invoice portion in percent,Geben Sie den Rechnungsanteil in Prozent an, +Give number of days according to prior selection,Geben Sie die Anzahl der Tage gemäß vorheriger Auswahl an, +Email Details,E-Mail-Details, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Wählen Sie eine Begrüßung für den Empfänger. ZB Herr, Frau usw.", +Preview Email,Vorschau E-Mail, +Please select a Supplier,Bitte wählen Sie einen Lieferanten aus, +Supplier Lead Time (days),Vorlaufzeit des Lieferanten (Tage), +"Home, Work, etc.","Zuhause, Arbeit usw.", +Exit Interview Held On,Beenden Sie das Interview, +Condition and formula,Zustand und Formel, +Sets 'Target Warehouse' in each row of the Items table.,Legt 'Ziellager' in jeder Zeile der Elementtabelle fest., +Sets 'Source Warehouse' in each row of the Items table.,Legt 'Source Warehouse' in jeder Zeile der Items-Tabelle fest., +POS Register,POS-Register, +"Can not filter based on POS Profile, if grouped by POS Profile","Kann nicht basierend auf dem POS-Profil filtern, wenn nach POS-Profil gruppiert", +"Can not filter based on Customer, if grouped by Customer","Kann nicht nach Kunden filtern, wenn nach Kunden gruppiert", +"Can not filter based on Cashier, if grouped by Cashier","Kann nicht nach Kassierer filtern, wenn nach Kassierer gruppiert", +Payment Method,Zahlungsmethode, +"Can not filter based on Payment Method, if grouped by Payment Method","Kann nicht nach Zahlungsmethode filtern, wenn nach Zahlungsmethode gruppiert", +Supplier Quotation Comparison,Vergleich der Lieferantenangebote, +Price per Unit (Stock UOM),Preis pro Einheit (Lager UOM), +Group by Supplier,Nach Lieferanten gruppieren, +Group by Item,Nach Artikel gruppieren, +Remember to set {field_label}. It is required by {regulation}.,"Denken Sie daran, {field_label} zu setzen. Es wird von {Regulation} verlangt.", +Enrollment Date cannot be before the Start Date of the Academic Year {0},Das Einschreibedatum darf nicht vor dem Startdatum des akademischen Jahres liegen {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Das Einschreibungsdatum darf nicht nach dem Enddatum des akademischen Semesters liegen {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Das Einschreibungsdatum darf nicht vor dem Startdatum des akademischen Semesters liegen {0}, +Posting future transactions are not allowed due to Immutable Ledger,Das Buchen zukünftiger Transaktionen ist aufgrund des unveränderlichen Hauptbuchs nicht zulässig, +Future Posting Not Allowed,Zukünftiges Posten nicht erlaubt, +"To enable Capital Work in Progress Accounting, ",So aktivieren Sie die Kapitalabrechnung, +you must select Capital Work in Progress Account in accounts table,Sie müssen in der Kontentabelle das Konto "Kapital in Bearbeitung" auswählen, +You can also set default CWIP account in Company {},Sie können auch das Standard-CWIP-Konto in Firma {} festlegen, +The Request for Quotation can be accessed by clicking on the following button,"Sie können auf die Angebotsanfrage zugreifen, indem Sie auf die folgende Schaltfläche klicken", +Regards,Grüße, +Please click on the following button to set your new password,"Bitte klicken Sie auf die folgende Schaltfläche, um Ihr neues Passwort festzulegen", +Update Password,Passwort erneuern, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Zeile # {}: Die Verkaufsrate für Artikel {} ist niedriger als die {}. Der Verkauf von {} sollte mindestens {} sein, +You can alternatively disable selling price validation in {} to bypass this validation.,"Alternativ können Sie die Validierung des Verkaufspreises in {} deaktivieren, um diese Validierung zu umgehen.", +Invalid Selling Price,Ungültiger Verkaufspreis, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Die Adresse muss mit einem Unternehmen verknüpft sein. Bitte fügen Sie eine Zeile für Firma in die Tabelle Links ein., +Company Not Linked,Firma nicht verbunden, +Import Chart of Accounts from CSV / Excel files,Kontenplan aus CSV / Excel-Dateien importieren, +Completed Qty cannot be greater than 'Qty to Manufacture',Die abgeschlossene Menge darf nicht größer sein als die Menge bis zur Herstellung., +"Row {0}: For Supplier {1}, Email Address is Required to send an email","Zeile {0}: Für Lieferant {1} ist eine E-Mail-Adresse erforderlich, um eine E-Mail zu senden", diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv index c5725e4dbd..b5342f178a 100644 --- a/erpnext/translations/el.csv +++ b/erpnext/translations/el.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Η επιβά Chargeble,Χρεώσιμο, Charges are updated in Purchase Receipt against each item,Οι επιβαρύνσεις ενημερώνονται στην απόδειξη αγοράς για κάθε είδος, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Οι επιβαρύνσεις θα κατανεμηθούν αναλογικά, σύμφωνα με την ποσότητα ή το ποσό του είδους, σύμφωνα με την επιλογή σας", -Chart Of Accounts,Λογιστικό Σχέδιο, Chart of Cost Centers,Διάγραμμα των κέντρων κόστους, Check all,Ελεγξε τα ολα, Checkout,Αποχώρηση, @@ -581,7 +580,6 @@ Company {0} does not exist,Η εταιρεία {0} δεν υπάρχει, Compensatory Off,Αντισταθμιστικά απενεργοποιημένα, Compensatory leave request days not in valid holidays,Οι ημερήσιες αποζημιώσεις αντιστάθμισης δεν ισχύουν σε έγκυρες αργίες, Complaint,Καταγγελία, -Completed Qty can not be greater than 'Qty to Manufacture',Η ολοκληρωμένη ποσότητα δεν μπορεί να είναι μεγαλύτερη από την «ποσότητα για κατασκευή», Completion Date,Ημερομηνία ολοκλήρωσης, Computer,Ηλεκτρονικός υπολογιστής, Condition,Συνθήκη, @@ -2033,7 +2031,6 @@ Please select Category first,Παρακαλώ επιλέξτε πρώτα την Please select Charge Type first,Παρακαλώ επιλέξτε πρώτα τύπο επιβάρυνσης, Please select Company,Επιλέξτε Εταιρεία, Please select Company and Designation,Επιλέξτε Εταιρεία και ονομασία, -Please select Company and Party Type first,Παρακαλώ επιλέξτε πρώτα εταιρεία και τύπο συμβαλλόμενου, Please select Company and Posting Date to getting entries,Επιλέξτε Εταιρεία και ημερομηνία δημοσίευσης για να λάβετε καταχωρήσεις, Please select Company first,Επιλέξτε την εταιρεία πρώτα, Please select Completion Date for Completed Asset Maintenance Log,Παρακαλούμε επιλέξτε Ημερομηνία ολοκλήρωσης για το αρχείο καταγραφής ολοκλήρωσης περιουσιακών στοιχείων, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Το όνο The name of your company for which you are setting up this system.,Το όνομα της εταιρείας σας για την οποία εγκαθιστάτε αυτό το σύστημα., The number of shares and the share numbers are inconsistent,Ο αριθμός των μετοχών και οι αριθμοί μετοχών είναι ασυμβίβαστοι, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Ο λογαριασμός πύλης πληρωμής στο πρόγραμμα {0} διαφέρει από τον λογαριασμό της πύλης πληρωμής σε αυτό το αίτημα πληρωμής, -The request for quotation can be accessed by clicking on the following link,Το αίτημα για προσφορά μπορεί να προσπελαστεί κάνοντας κλικ στον παρακάτω σύνδεσμο, The selected BOMs are not for the same item,Τα επιλεγμένα BOMs δεν είναι για το ίδιο στοιχείο, The selected item cannot have Batch,Το επιλεγμένο είδος δεν μπορεί να έχει παρτίδα, The seller and the buyer cannot be the same,Ο πωλητής και ο αγοραστής δεν μπορούν να είναι οι ίδιοι, @@ -3543,7 +3539,6 @@ Company GSTIN,Εταιρεία GSTIN, Company field is required,Απαιτείται πεδίο εταιρείας, Creating Dimensions...,Δημιουργία διαστάσεων ..., Duplicate entry against the item code {0} and manufacturer {1},Διπλότυπη καταχώρηση έναντι του κωδικού {0} και του κατασκευαστή {1}, -Import Chart Of Accounts from CSV / Excel files,Εισαγωγή πίνακα λογαριασμών από αρχεία CSV / Excel, 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 που δεν είναι κατοίκους, Invoice Grand Total,Συνολικό τιμολόγιο, Last carbon check date cannot be a future date,Η τελευταία ημερομηνία ελέγχου άνθρακα δεν μπορεί να είναι μελλοντική ημερομηνία, @@ -3920,7 +3915,6 @@ Plaid authentication error,Έλλειμμα ελέγχου ταυτότητας, Plaid public token error,Σφάλμα κοινόχρηστου συμβόλου, Plaid transactions sync error,Σφάλμα συγχρονισμού πλαστών συναλλαγών, Please check the error log for details about the import errors,Ελέγξτε το αρχείο καταγραφής σφαλμάτων για λεπτομέρειες σχετικά με τα σφάλματα εισαγωγής, -Please click on the following link to set your new password,Παρακαλώ κάντε κλικ στον παρακάτω σύνδεσμο για να ορίσετε νέο κωδικό πρόσβασης, Please create DATEV Settings for Company {}.,Δημιουργήστε τις ρυθμίσεις DATEV για την εταιρεία {} ., Please create adjustment Journal Entry for amount {0} ,Δημιουργήστε εγγραφή εγγραφής προσαρμογής για ποσό {0}, Please do not create more than 500 items at a time,Μην δημιουργείτε περισσότερα από 500 στοιχεία τη φορά, @@ -4043,7 +4037,6 @@ Search results for,Αποτελέσματα αναζήτησης για, Select All,Επιλέξτε All, Select Difference Account,Επιλέξτε Λογαριασμό Διαφοράς, Select a Default Priority.,Επιλέξτε μια προεπιλεγμένη προτεραιότητα., -Select a Supplier from the Default Supplier List of the items below.,Επιλέξτε έναν προμηθευτή από την Προκαθορισμένη λίστα προμηθευτών των παρακάτω στοιχείων., Select a company,Επιλέξτε μια εταιρεία, Select finance book for the item {0} at row {1},Επιλέξτε βιβλίο χρηματοδότησης για το στοιχείο {0} στη σειρά {1}, Select only one Priority as Default.,Επιλέξτε μόνο μία προτεραιότητα ως προεπιλογή., @@ -4247,7 +4240,6 @@ Yes,Ναί, Actual ,Πραγματικός, Add to cart,Προσθήκη στο καλάθι, Budget,Προϋπολογισμός, -Chart Of Accounts Importer,Λογαριασμός Εισαγωγέας, Chart of Accounts,Λογιστικό Σχέδιο, Customer database.,Βάση δεδομένων πελατών., Days Since Last order,Ημέρες από την τελευταία σειρά, @@ -4939,7 +4931,6 @@ Closing Account Head,Κλείσιμο κύριας εγγραφής λογαρι POS Customer Group,POS Ομάδα Πελατών, POS Field,Πεδίο POS, POS Item Group,POS Θέση του Ομίλου, -[Select],[ Επιλέξτε ], Company Address,Διεύθυνση εταιρείας, Update Stock,Ενημέρωση αποθέματος, Ignore Pricing Rule,Αγνοήστε τον κανόνα τιμολόγησης, @@ -6597,11 +6588,6 @@ Relieving Date,Ημερομηνία απαλλαγής, Reason for Leaving,Αιτιολογία αποχώρησης, Leave Encashed?,Η άδεια εισπράχθηκε;, Encashment Date,Ημερομηνία εξαργύρωσης, -Exit Interview Details,Λεπτομέρειες συνέντευξης εξόδου, -Held On,Πραγματοποιήθηκε την, -Reason for Resignation,Αιτία παραίτησης, -Better Prospects,Καλύτερες προοπτικές, -Health Concerns,Ανησυχίες για την υγεία, New Workplace,Νέος χώρος εργασίας, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Επιστρεφόμενο ποσό, @@ -8237,9 +8223,6 @@ Landed Cost Help,Βοήθεια κόστους αποστολής εμπορευ Manufacturers used in Items,Κατασκευαστές που χρησιμοποιούνται στα σημεία, Limited to 12 characters,Περιορίζεται σε 12 χαρακτήρες, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Ορισμός αποθήκης, -Sets 'For Warehouse' in each row of the Items table.,Ορίζει «Για αποθήκη» σε κάθε σειρά του πίνακα αντικειμένων., -Requested For,Ζητήθηκαν για, Partially Ordered,Εν μέρει παραγγελία, Transferred,Μεταφέρθηκε, % Ordered,% Παραγγέλθηκαν, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Αποθήκη αιτήματος υλικού, Select warehouse for material requests,Επιλέξτε αποθήκη για αιτήματα υλικών, Transfer Materials For Warehouse {0},Μεταφορά υλικών για αποθήκη {0}, Production Plan Material Request Warehouse,Πρόγραμμα παραγωγής Υλικό Αίτημα Αποθήκη, -Set From Warehouse,Ορισμός από την αποθήκη, -Source Warehouse (Material Transfer),Αποθήκη πηγής (μεταφορά υλικού), Sets 'Source Warehouse' in each row of the items table.,Ορίζει το "Source Warehouse" σε κάθε σειρά του πίνακα αντικειμένων., Sets 'Target Warehouse' in each row of the items table.,Ορίζει το «Target Warehouse» σε κάθε σειρά του πίνακα αντικειμένων., Show Cancelled Entries,Εμφάνιση ακυρωμένων καταχωρήσεων, @@ -9155,7 +9136,6 @@ Professional Tax,Επαγγελματικός φόρος, Is Income Tax Component,Είναι συστατικό φόρου εισοδήματος, Component properties and references ,Ιδιότητες συστατικών και αναφορές, Additional Salary ,Πρόσθετος μισθός, -Condtion and formula,Κατάσταση και τύπος, Unmarked days,Ημέρες χωρίς σήμανση, Absent Days,Απόντες ημέρες, Conditions and Formula variable and example,Συνθήκες και μεταβλητή τύπου και παράδειγμα, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Μη έγκυρο σφάλμα αιτήματος κ Please check your Plaid client ID and secret values,Ελέγξτε το αναγνωριστικό πελάτη Plaid και τις μυστικές τιμές σας, Bank transaction creation error,Σφάλμα δημιουργίας τραπεζικής συναλλαγής, Unit of Measurement,Μονάδα μέτρησης, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Σειρά # {}: Το ποσοστό πώλησης για το στοιχείο {} είναι χαμηλότερο από το {}. Η τιμή πώλησης πρέπει να είναι τουλάχιστον {}, Fiscal Year {0} Does Not Exist,Το οικονομικό έτος {0} δεν υπάρχει, Row # {0}: Returned Item {1} does not exist in {2} {3},Σειρά # {0}: Το στοιχείο που επιστράφηκε {1} δεν υπάρχει στο {2} {3}, Valuation type charges can not be marked as Inclusive,Οι χρεώσεις τύπου εκτίμησης δεν μπορούν να επισημανθούν ως Συμπεριλαμβανομένων, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Ορίστε Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Ο χρόνος απόκρισης για {0} προτεραιότητα στη σειρά {1} δεν μπορεί να είναι μεγαλύτερος από τον χρόνο ανάλυσης., {0} is not enabled in {1},Το {0} δεν είναι ενεργοποιημένο σε {1}, Group by Material Request,Ομαδοποίηση κατά Αίτημα Υλικού, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Σειρά {0}: Για τον προμηθευτή {0}, απαιτείται διεύθυνση ηλεκτρονικού ταχυδρομείου για αποστολή email", Email Sent to Supplier {0},Αποστολή email στον προμηθευτή {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Η πρόσβαση στο αίτημα για προσφορά από την πύλη είναι απενεργοποιημένη. Για να επιτρέψετε την πρόσβαση, ενεργοποιήστε το στις Ρυθμίσεις πύλης.", Supplier Quotation {0} Created,Προσφορά προμηθευτή {0} Δημιουργήθηκε, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Το συνολικό βά Account {0} exists in parent company {1}.,Ο λογαριασμός {0} υπάρχει στη μητρική εταιρεία {1}., "To overrule this, enable '{0}' in company {1}","Για να το παρακάμψετε, ενεργοποιήστε το "{0}" στην εταιρεία {1}", Invalid condition expression,Μη έγκυρη έκφραση συνθήκης, +Please Select a Company First,Επιλέξτε πρώτα μια εταιρεία, +Please Select Both Company and Party Type First,Επιλέξτε πρώτα την εταιρεία και τον τύπο πάρτι, +Provide the invoice portion in percent,Καταχωρίστε το τμήμα τιμολογίου σε ποσοστό, +Give number of days according to prior selection,Δώστε τον αριθμό των ημερών σύμφωνα με την προηγούμενη επιλογή, +Email Details,Λεπτομέρειες email, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Επιλέξτε ένα χαιρετισμό για τον παραλήπτη. Π.χ. κύριε, κυρία κ.λπ.", +Preview Email,Προεπισκόπηση email, +Please select a Supplier,Επιλέξτε έναν προμηθευτή, +Supplier Lead Time (days),Χρόνος προμηθευτή (ημέρες), +"Home, Work, etc.","Σπίτι, εργασία κ.λπ.", +Exit Interview Held On,Έξοδος από τη συνέντευξη, +Condition and formula,Κατάσταση και τύπος, +Sets 'Target Warehouse' in each row of the Items table.,Ορίζει το «Target Warehouse» σε κάθε σειρά του πίνακα αντικειμένων., +Sets 'Source Warehouse' in each row of the Items table.,Ορίζει το "Source Warehouse" σε κάθε σειρά του πίνακα αντικειμένων., +POS Register,Εγγραφή POS, +"Can not filter based on POS Profile, if grouped by POS Profile","Δεν είναι δυνατή η φιλτράρισμα με βάση το προφίλ POS, εάν ομαδοποιούνται βάσει προφίλ POS", +"Can not filter based on Customer, if grouped by Customer","Δεν είναι δυνατή η φιλτράρισμα με βάση τον πελάτη, εάν ομαδοποιούνται ανά πελάτη", +"Can not filter based on Cashier, if grouped by Cashier","Δεν είναι δυνατή η φιλτράρισμα βάσει Ταμείου, εάν ομαδοποιούνται κατά Ταμείο", +Payment Method,Μέθοδος πληρωμής, +"Can not filter based on Payment Method, if grouped by Payment Method","Δεν είναι δυνατή η φιλτράρισμα βάσει της μεθόδου πληρωμής, εάν ομαδοποιούνται βάσει της μεθόδου πληρωμής", +Supplier Quotation Comparison,Σύγκριση προσφορών προμηθευτή, +Price per Unit (Stock UOM),Τιμή ανά μονάδα (απόθεμα UOM), +Group by Supplier,Ομαδοποίηση ανά προμηθευτή, +Group by Item,Ομαδοποίηση ανά αντικείμενο, +Remember to set {field_label}. It is required by {regulation}.,Θυμηθείτε να ορίσετε το {field_label}. Απαιτείται από τον {κανονισμό}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Η ημερομηνία εγγραφής δεν μπορεί να είναι πριν από την ημερομηνία έναρξης του ακαδημαϊκού έτους {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Η ημερομηνία εγγραφής δεν μπορεί να είναι μετά την ημερομηνία λήξης του ακαδημαϊκού όρου {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Η ημερομηνία εγγραφής δεν μπορεί να είναι πριν από την ημερομηνία έναρξης του ακαδημαϊκού όρου {0}, +Posting future transactions are not allowed due to Immutable Ledger,Δεν επιτρέπεται η δημοσίευση μελλοντικών συναλλαγών λόγω του αμετάβλητου καθολικού, +Future Posting Not Allowed,Δεν επιτρέπονται μελλοντικές δημοσιεύσεις, +"To enable Capital Work in Progress Accounting, ","Για να ενεργοποιήσετε το Capital Work in Progress Accounting,", +you must select Capital Work in Progress Account in accounts table,Πρέπει να επιλέξετε τον πίνακα Capital Work in Progress Account στον πίνακα λογαριασμών, +You can also set default CWIP account in Company {},Μπορείτε επίσης να ορίσετε προεπιλεγμένο λογαριασμό CWIP στην Εταιρεία {}, +The Request for Quotation can be accessed by clicking on the following button,Μπορείτε να αποκτήσετε πρόσβαση στην Αίτηση Προσφοράς κάνοντας κλικ στο παρακάτω κουμπί, +Regards,Χαιρετισμοί, +Please click on the following button to set your new password,Κάντε κλικ στο παρακάτω κουμπί για να ορίσετε τον νέο σας κωδικό πρόσβασης, +Update Password,Ενημέρωση κωδικού πρόσβασης, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Σειρά # {}: Το ποσοστό πώλησης για το στοιχείο {} είναι χαμηλότερο από το {}. Η πώληση {} πρέπει να είναι τουλάχιστον {}, +You can alternatively disable selling price validation in {} to bypass this validation.,"Εναλλακτικά, μπορείτε να απενεργοποιήσετε την επικύρωση τιμής πώλησης στο {} για να παρακάμψετε αυτήν την επικύρωση.", +Invalid Selling Price,Μη έγκυρη τιμή πώλησης, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Η διεύθυνση πρέπει να συνδεθεί με μια εταιρεία. Προσθέστε μια σειρά για την εταιρεία στον πίνακα "Σύνδεσμοι"., +Company Not Linked,Η εταιρεία δεν είναι συνδεδεμένη, +Import Chart of Accounts from CSV / Excel files,Εισαγωγή γραφήματος λογαριασμών από αρχεία CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',Το ολοκληρωμένο Qty δεν μπορεί να είναι μεγαλύτερο από το "Qty to Manufacture", +"Row {0}: For Supplier {1}, Email Address is Required to send an email","Σειρά {0}: Για τον προμηθευτή {1}, απαιτείται διεύθυνση ηλεκτρονικού ταχυδρομείου για την αποστολή email", diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv index 40a59c6fa6..0b2c302438 100644 --- a/erpnext/translations/es.csv +++ b/erpnext/translations/es.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Cambiar a tip Chargeble,Cobrable, Charges are updated in Purchase Receipt against each item,Los cargos se actualizan en el recibo de compra por cada producto, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Los cargos se distribuirán proporcionalmente basados en la cantidad o importe, según selección", -Chart Of Accounts,Plan de cuentas, Chart of Cost Centers,Centros de costos, Check all,Marcar todas, Checkout,Pedido, @@ -581,7 +580,6 @@ Company {0} does not exist,Compañía {0} no existe, Compensatory Off,Compensatorio, Compensatory leave request days not in valid holidays,Días de solicitud de permiso compensatorio no en días feriados válidos, Complaint,Queja, -Completed Qty can not be greater than 'Qty to Manufacture',La cantidad completada no puede ser mayor que la cantidad a manufacturar., Completion Date,Fecha de finalización, Computer,Computadora, Condition,Condición, @@ -2033,7 +2031,6 @@ Please select Category first,"Por favor, seleccione primero la categoría", Please select Charge Type first,"Por favor, seleccione primero el tipo de cargo", Please select Company,"Por favor, seleccione la empresa", Please select Company and Designation,Seleccione Compañía y Designación, -Please select Company and Party Type first,"Por favor, seleccione la compañía y el tipo de entidad", Please select Company and Posting Date to getting entries,Seleccione Empresa y Fecha de publicación para obtener entradas, Please select Company first,"Por favor, seleccione primero la compañía", Please select Completion Date for Completed Asset Maintenance Log,Seleccione Fecha de Finalización para el Registro de Mantenimiento de Activos Completado, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,El nombre de The name of your company for which you are setting up this system.,Ingrese el nombre de la compañía para configurar el sistema., The number of shares and the share numbers are inconsistent,El número de acciones y el número de acciones son inconsistentes, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,La cuenta de puerta de enlace de pago en el plan {0} es diferente de la cuenta de puerta de enlace de pago en esta solicitud de pago, -The request for quotation can be accessed by clicking on the following link,La solicitud de cotización se puede acceder haciendo clic en el siguiente enlace, The selected BOMs are not for the same item,Las listas de materiales seleccionados no son para el mismo artículo, The selected item cannot have Batch,El producto seleccionado no puede contener lotes, The seller and the buyer cannot be the same,El vendedor y el comprador no pueden ser el mismo, @@ -3543,7 +3539,6 @@ Company GSTIN,GSTIN de la Compañía, Company field is required,Campo de la empresa es obligatorio, Creating Dimensions...,Creando Dimensiones ..., Duplicate entry against the item code {0} and manufacturer {1},Entrada duplicada contra el código de artículo {0} y el fabricante {1}, -Import Chart Of Accounts from CSV / Excel files,Importar plan de cuentas de archivos CSV / Excel, 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 titulares de UIN o proveedores de servicios OIDAR no residentes, Invoice Grand Total,Factura Gran Total, Last carbon check date cannot be a future date,La última fecha de verificación de carbono no puede ser una fecha futura, @@ -3920,7 +3915,6 @@ Plaid authentication error,Error de autenticación a cuadros, Plaid public token error,Error de token público a cuadros, Plaid transactions sync error,Error de sincronización de transacciones a cuadros, Please check the error log for details about the import errors,Consulte el registro de errores para obtener detalles sobre los errores de importación., -Please click on the following link to set your new password,"Por favor, haga clic en el siguiente enlace para configurar su nueva contraseña", Please create DATEV Settings for Company {}.,Cree la configuración de DATEV para la empresa {} ., Please create adjustment Journal Entry for amount {0} ,Cree una entrada de diario de ajuste para la cantidad {0}, Please do not create more than 500 items at a time,No cree más de 500 artículos a la vez., @@ -4043,7 +4037,6 @@ Search results for,Resultados de la búsqueda para, Select All,Seleccionar todo, Select Difference Account,Seleccionar cuenta de diferencia, Select a Default Priority.,Seleccione una prioridad predeterminada., -Select a Supplier from the Default Supplier List of the items below.,Seleccione un proveedor de la lista de proveedores predeterminados de los siguientes artículos., Select a company,Selecciona una empresa, Select finance book for the item {0} at row {1},Seleccione el libro de finanzas para el artículo {0} en la fila {1}, Select only one Priority as Default.,Seleccione solo una prioridad como predeterminada., @@ -4247,7 +4240,6 @@ Yes,si, Actual ,Actual, Add to cart,Añadir a la Cesta, Budget,Presupuesto, -Chart Of Accounts Importer,Importador de plan de cuentas, Chart of Accounts,Catálogo de cuentas, Customer database.,Base de datos de cliente., Days Since Last order,Días desde la última orden, @@ -4939,7 +4931,6 @@ Closing Account Head,Cuenta principal de cierre, POS Customer Group,POS Grupo de Clientes, POS Field,Campo POS, POS Item Group,POS Grupo de artículos, -[Select],[Seleccionar], Company Address,Dirección de la Compañía, Update Stock,Actualizar el Inventario, Ignore Pricing Rule,Ignorar la Regla Precios, @@ -6597,11 +6588,6 @@ Relieving Date,Fecha de relevo, Reason for Leaving,Razones de renuncia, Leave Encashed?,Vacaciones pagadas?, Encashment Date,Fecha de Cobro, -Exit Interview Details,Detalles de Entrevista de Salida, -Held On,Retenida en, -Reason for Resignation,Motivo de la renuncia, -Better Prospects,Mejores Prospectos, -Health Concerns,Problemas de salud, New Workplace,Nuevo lugar de trabajo, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Cantidad devuelta, @@ -8237,9 +8223,6 @@ Landed Cost Help,Ayuda para costos de destino estimados, Manufacturers used in Items,Fabricantes utilizados en artículos, Limited to 12 characters,Limitado a 12 caracteres, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Establecer almacén, -Sets 'For Warehouse' in each row of the Items table.,Establece 'Para almacén' en cada fila de la tabla Artículos., -Requested For,Solicitado por, Partially Ordered,Parcialmente ordenado, Transferred,Transferido, % Ordered,% Ordenado, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Almacén de solicitud de material, Select warehouse for material requests,Seleccionar almacén para solicitudes de material, Transfer Materials For Warehouse {0},Transferir materiales para almacén {0}, Production Plan Material Request Warehouse,Almacén de solicitud de material de plan de producción, -Set From Warehouse,Establecer desde almacén, -Source Warehouse (Material Transfer),Almacén de origen (transferencia de material), Sets 'Source Warehouse' in each row of the items table.,Establece 'Almacén de origen' en cada fila de la tabla de artículos., Sets 'Target Warehouse' in each row of the items table.,Establece 'Almacén de destino' en cada fila de la tabla de artículos., Show Cancelled Entries,Mostrar entradas canceladas, @@ -9155,7 +9136,6 @@ Professional Tax,Impuesto profesional, Is Income Tax Component,Es el componente del impuesto sobre la renta, Component properties and references ,Propiedades y referencias de componentes, Additional Salary ,Salario adicional, -Condtion and formula,Condición y fórmula, Unmarked days,Días sin marcar, Absent Days,Días ausentes, Conditions and Formula variable and example,Condiciones y variable de fórmula y ejemplo, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Error de solicitud de tela escocesa no válida, Please check your Plaid client ID and secret values,Verifique su ID de cliente de Plaid y sus valores secretos, Bank transaction creation error,Error de creación de transacción bancaria, Unit of Measurement,Unidad de medida, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Fila # {}: la tasa de venta del artículo {} es menor que su {}. La tasa de venta debe ser al menos {}, Fiscal Year {0} Does Not Exist,El año fiscal {0} no existe, Row # {0}: Returned Item {1} does not exist in {2} {3},Fila n.º {0}: el artículo devuelto {1} no existe en {2} {3}, Valuation type charges can not be marked as Inclusive,Los cargos por tipo de valoración no se pueden marcar como inclusivos, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Establezca el Response Time for {0} priority in row {1} can't be greater than Resolution Time.,El tiempo de respuesta para la {0} prioridad en la fila {1} no puede ser mayor que el tiempo de resolución., {0} is not enabled in {1},{0} no está habilitado en {1}, Group by Material Request,Agrupar por solicitud de material, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Fila {0}: para el proveedor {0}, se requiere la dirección de correo electrónico para enviar correo electrónico", Email Sent to Supplier {0},Correo electrónico enviado al proveedor {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","El acceso a la solicitud de cotización del portal está deshabilitado. Para permitir el acceso, habilítelo en la configuración del portal.", Supplier Quotation {0} Created,Cotización de proveedor {0} creada, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},El peso total asignado deb Account {0} exists in parent company {1}.,La cuenta {0} existe en la empresa matriz {1}., "To overrule this, enable '{0}' in company {1}","Para anular esto, habilite "{0}" en la empresa {1}", Invalid condition expression,Expresión de condición no válida, +Please Select a Company First,Primero seleccione una empresa, +Please Select Both Company and Party Type First,Primero seleccione tanto la empresa como el tipo de partido, +Provide the invoice portion in percent,Proporcione la parte de la factura en porcentaje, +Give number of days according to prior selection,Dar número de días según selección previa, +Email Details,Detalles de correo electrónico, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Seleccione un saludo para el receptor. Por ejemplo, Sr., Sra., Etc.", +Preview Email,Vista previa del correo electrónico, +Please select a Supplier,Seleccione un proveedor, +Supplier Lead Time (days),Plazo de ejecución del proveedor (días), +"Home, Work, etc.","Hogar, trabajo, etc.", +Exit Interview Held On,Entrevista de salida retenida, +Condition and formula,Condición y fórmula, +Sets 'Target Warehouse' in each row of the Items table.,Establece 'Almacén de destino' en cada fila de la tabla Artículos., +Sets 'Source Warehouse' in each row of the Items table.,Establece 'Almacén de origen' en cada fila de la tabla Artículos., +POS Register,Registro POS, +"Can not filter based on POS Profile, if grouped by POS Profile","No se puede filtrar según el perfil de POS, si está agrupado por perfil de POS", +"Can not filter based on Customer, if grouped by Customer","No se puede filtrar según el Cliente, si está agrupado por Cliente", +"Can not filter based on Cashier, if grouped by Cashier","No se puede filtrar según el cajero, si está agrupado por cajero", +Payment Method,Método de pago, +"Can not filter based on Payment Method, if grouped by Payment Method","No se puede filtrar según el método de pago, si está agrupado por método de pago", +Supplier Quotation Comparison,Comparación de cotizaciones de proveedores, +Price per Unit (Stock UOM),Precio por unidad (UOM de stock), +Group by Supplier,Agrupar por proveedor, +Group by Item,Agrupar por artículo, +Remember to set {field_label}. It is required by {regulation}.,Recuerde configurar {field_label}. Es requerido por {regulación}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},La fecha de inscripción no puede ser anterior a la fecha de inicio del año académico {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},La fecha de inscripción no puede ser posterior a la fecha de finalización del período académico {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},La fecha de inscripción no puede ser anterior a la fecha de inicio del período académico {0}, +Posting future transactions are not allowed due to Immutable Ledger,No se permite la contabilización de transacciones futuras debido al libro mayor inmutable, +Future Posting Not Allowed,Publicaciones futuras no permitidas, +"To enable Capital Work in Progress Accounting, ","Para habilitar la contabilidad del trabajo de capital en curso,", +you must select Capital Work in Progress Account in accounts table,debe seleccionar Cuenta Capital Work in Progress en la tabla de cuentas, +You can also set default CWIP account in Company {},También puede configurar una cuenta CWIP predeterminada en la empresa {}, +The Request for Quotation can be accessed by clicking on the following button,Se puede acceder a la Solicitud de Cotización haciendo clic en el siguiente botón, +Regards,Saludos, +Please click on the following button to set your new password,Haga clic en el siguiente botón para establecer su nueva contraseña, +Update Password,Actualiza contraseña, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Fila # {}: la tasa de venta del artículo {} es menor que su {}. La venta {} debe ser al menos {}, +You can alternatively disable selling price validation in {} to bypass this validation.,"Alternativamente, puede deshabilitar la validación del precio de venta en {} para omitir esta validación.", +Invalid Selling Price,Precio de venta no válido, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,La dirección debe estar vinculada a una empresa. Agregue una fila para Compañía en la tabla Vínculos., +Company Not Linked,Empresa no vinculada, +Import Chart of Accounts from CSV / Excel files,Importar plan de cuentas desde archivos CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',La cantidad completa no puede ser mayor que la 'Cantidad para fabricar', +"Row {0}: For Supplier {1}, Email Address is Required to send an email","Fila {0}: para el proveedor {1}, se requiere la dirección de correo electrónico para enviar un correo electrónico.", diff --git a/erpnext/translations/es_gt.csv b/erpnext/translations/es_gt.csv index 2c8dac8443..efd2daaa31 100644 --- a/erpnext/translations/es_gt.csv +++ b/erpnext/translations/es_gt.csv @@ -1,4 +1,3 @@ -Chart Of Accounts,Plan de Cuentas, Item,Producto, Lead Time Days,Tiempo de ejecución en días, Outstanding,Pendiente, diff --git a/erpnext/translations/es_pe.csv b/erpnext/translations/es_pe.csv index 2dfb04b187..e3ce500b0f 100644 --- a/erpnext/translations/es_pe.csv +++ b/erpnext/translations/es_pe.csv @@ -67,7 +67,6 @@ Case No(s) already in use. Try from Case No {0},Nº de caso ya en uso. Intente N Cash In Hand,Efectivo Disponible, City/Town,Ciudad/Provincia, Commission on Sales,Comisión de Ventas, -Completed Qty can not be greater than 'Qty to Manufacture',La cantidad completada no puede ser mayor que la cantidad a producir, Confirmed orders from Customers.,Pedidos en firme de los clientes., Consumed Amount,Cantidad Consumida, Contact Details,Datos del Contacto, @@ -728,7 +727,6 @@ Health Details,Detalles de la Salud, "Here you can maintain height, weight, allergies, medical concerns etc","Aquí usted puede mantener la altura , el peso, alergias , problemas médicos , etc", Educational Qualification,Capacitación Académica, Leave Encashed?,Vacaciones Descansadas?, -Health Concerns,Preocupaciones de salud, School/University,Escuela / Universidad, Under Graduate,Bajo Graduación, Year of Passing,Año de Fallecimiento, @@ -938,7 +936,6 @@ Table for Item that will be shown in Web Site,Tabla de Artículo que se muestra Purchase Receipt Item,Recibo de Compra del Artículo, Purchase Receipt Items,Artículos de Recibo de Compra, Get Items From Purchase Receipts,Obtener los elementos desde Recibos de Compra, -Requested For,Solicitados para, % Ordered,% Pedido, Terms and Conditions Content,Términos y Condiciones Contenido, Lead Time Date,Fecha y Hora de la Iniciativa, diff --git a/erpnext/translations/et.csv b/erpnext/translations/et.csv index 81bad9be98..27335a8752 100644 --- a/erpnext/translations/et.csv +++ b/erpnext/translations/et.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Laadige tüü Chargeble,Tasuline, Charges are updated in Purchase Receipt against each item,Maksud uuendatakse ostutšekk iga punkti, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Maksud jagatakse proportsionaalselt aluseks on elemendi Kogus või summa, ühe oma valikut", -Chart Of Accounts,Kontoplaan, Chart of Cost Centers,Graafik kulukeskuste, Check all,Vaata kõiki, Checkout,Minu tellimused, @@ -581,7 +580,6 @@ Company {0} does not exist,Ettevõte {0} ei ole olemas, Compensatory Off,Tasandusintress Off, Compensatory leave request days not in valid holidays,Hüvitisepuhkuse taotluste päevad pole kehtivate pühade ajal, Complaint,Kaebus, -Completed Qty can not be greater than 'Qty to Manufacture',Valminud Kogus ei saa olla suurem kui "Kogus et Tootmine", Completion Date,Lõppkuupäev, Computer,Arvuti, Condition,Seisund, @@ -2033,7 +2031,6 @@ Please select Category first,Palun valige kategooria esimene, Please select Charge Type first,Palun valige Charge Type esimene, Please select Company,Palun valige Company, Please select Company and Designation,Palun vali ettevõte ja nimetus, -Please select Company and Party Type first,Palun valige Company Pidu ja Type esimene, Please select Company and Posting Date to getting entries,Kirjete saamiseks valige ettevõtte ja postitamise kuupäev, Please select Company first,Palun valige Company esimene, Please select Completion Date for Completed Asset Maintenance Log,Palun vali lõpetatud varade hoolduse logi täitmise kuupäev, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,"Nimi instit The name of your company for which you are setting up this system.,"Nimi oma firma jaoks, millele te Selle süsteemi rajamisel.", The number of shares and the share numbers are inconsistent,Aktsiate arv ja aktsiate arv on ebajärjekindlad, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Kava {0} maksejuhtseade erineb selle maksetaotluses olevast maksejõu kontolt, -The request for quotation can be accessed by clicking on the following link,Taotluse tsitaat pääseb klõpsates järgmist linki, The selected BOMs are not for the same item,Valitud BOMs ei ole sama objekti, The selected item cannot have Batch,Valitud parameetrit ei ole partii, The seller and the buyer cannot be the same,Müüja ja ostja ei saa olla sama, @@ -3543,7 +3539,6 @@ Company GSTIN,firma GSTIN, Company field is required,Ettevõtte väli on kohustuslik, Creating Dimensions...,Mõõtmete loomine ..., Duplicate entry against the item code {0} and manufacturer {1},Tootekoodi {0} ja tootja {1} koopia, -Import Chart Of Accounts from CSV / Excel files,Kontograafiku importimine CSV / Exceli failidest, Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Kehtetu GSTIN! Teie sisestatud sisend ei vasta UIN-i omanike või mitteresidentide OIDAR-teenuse pakkujate GSTIN-vormingule, Invoice Grand Total,Arve suur kokku, Last carbon check date cannot be a future date,Viimane süsiniku kontrollimise kuupäev ei saa olla tulevane kuupäev, @@ -3920,7 +3915,6 @@ Plaid authentication error,Ruuduline autentimisviga, Plaid public token error,Avalik sümboolne viga, Plaid transactions sync error,Tavalise tehingu sünkroonimisviga, Please check the error log for details about the import errors,Importimisvigade üksikasjade kohta kontrollige vealogi, -Please click on the following link to set your new password,Palun kliki järgmist linki seada oma uus parool, Please create DATEV Settings for Company {}.,Palun looge ettevõtte {} jaoks DATEV-i seaded ., Please create adjustment Journal Entry for amount {0} ,Palun loo korrigeeriv ajakirja kanne summa {0} jaoks, Please do not create more than 500 items at a time,Ärge looge rohkem kui 500 eset korraga, @@ -4043,7 +4037,6 @@ Search results for,Otsi tulemusi, Select All,Vali kõik, Select Difference Account,Valige Erinevuste konto, Select a Default Priority.,Valige vaikimisi prioriteet., -Select a Supplier from the Default Supplier List of the items below.,Valige allolevate üksuste vaiktarnijate loendist tarnija., Select a company,Valige ettevõte, Select finance book for the item {0} at row {1},Valige real {1} kirje {0} finantseerimisraamat, Select only one Priority as Default.,Valige vaikimisi ainult üks prioriteet., @@ -4247,7 +4240,6 @@ Yes,Jah, Actual ,Tegelik, Add to cart,Lisa ostukorvi, Budget,Eelarve, -Chart Of Accounts Importer,Kontoplaani importija, Chart of Accounts,Kontode kaart, Customer database.,Kliendiandmebaas., Days Since Last order,Päeva eelmisest Telli, @@ -4939,7 +4931,6 @@ Closing Account Head,Konto sulgemise Head, POS Customer Group,POS Kliendi Group, POS Field,POS-väli, POS Item Group,POS Artikliklasside, -[Select],[Vali], Company Address,ettevõtte aadress, Update Stock,Värskenda Stock, Ignore Pricing Rule,Ignoreeri Hinnakujundus reegel, @@ -6597,11 +6588,6 @@ Relieving Date,Leevendab kuupäev, Reason for Leaving,Põhjus lahkumiseks, Leave Encashed?,Jäta realiseeritakse?, Encashment Date,Inkassatsioon kuupäev, -Exit Interview Details,Exit Intervjuu Üksikasjad, -Held On,Toimunud, -Reason for Resignation,Lahkumise põhjuseks, -Better Prospects,Paremad väljavaated, -Health Concerns,Terviseprobleemid, New Workplace,New Töökoht, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Tagastatud summa, @@ -8237,9 +8223,6 @@ Landed Cost Help,Maandus Cost Abi, Manufacturers used in Items,Tootjad kasutada Esemed, Limited to 12 characters,Üksnes 12 tähemärki, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Määra ladu, -Sets 'For Warehouse' in each row of the Items table.,Määrab tabeli Üksused igale reale „For Warehouse”., -Requested For,Taotletakse, Partially Ordered,Osaliselt tellitud, Transferred,üle, % Ordered,% Tellitud, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Materiaalsete taotluste ladu, Select warehouse for material requests,Materjalitaotluste jaoks valige ladu, Transfer Materials For Warehouse {0},Lao materjalide edastamine {0}, Production Plan Material Request Warehouse,Tootmiskava materjalitaotluse ladu, -Set From Warehouse,Komplekt laost, -Source Warehouse (Material Transfer),Allika ladu (materjaliülekanne), Sets 'Source Warehouse' in each row of the items table.,Määrab üksuste tabeli igale reale 'Allika ladu'., Sets 'Target Warehouse' in each row of the items table.,Määrab üksuste tabeli igale reale 'Sihtlao'., Show Cancelled Entries,Kuva tühistatud kirjed, @@ -9155,7 +9136,6 @@ Professional Tax,Professionaalne maks, Is Income Tax Component,Kas tulumaksu komponent, Component properties and references ,Komponendi omadused ja viited, Additional Salary ,Lisapalk, -Condtion and formula,Tingimus ja valem, Unmarked days,Märgistamata päevad, Absent Days,Puuduvad päevad, Conditions and Formula variable and example,Tingimused ja valemi muutuja ning näide, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Plaid kehtetu taotluse viga, Please check your Plaid client ID and secret values,Kontrollige oma Plaid-kliendi ID-d ja salajasi väärtusi, Bank transaction creation error,Pangatehingute loomise viga, Unit of Measurement,Mõõtühik, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Rida nr {}: üksuse {} müügimäär on madalam kui selle {}. Müügimäär peaks olema vähemalt {}, Fiscal Year {0} Does Not Exist,Eelarveaasta {0} puudub, Row # {0}: Returned Item {1} does not exist in {2} {3},Rida nr {0}: tagastatud üksust {1} pole piirkonnas {2} {3}, Valuation type charges can not be marked as Inclusive,Hindamistüübi tasusid ei saa märkida kaasavateks, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Määrake pri Response Time for {0} priority in row {1} can't be greater than Resolution Time.,{0} Rea {1} prioriteedi reageerimisaeg ei tohi olla pikem kui eraldusvõime aeg., {0} is not enabled in {1},{0} pole piirkonnas {1} lubatud, Group by Material Request,Rühmitage materjalitaotluse järgi, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Rida {0}: tarnija {0} jaoks on e-posti saatmiseks vaja e-posti aadressi, Email Sent to Supplier {0},Tarnijale saadetud e-post {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",Juurdepääs portaali hinnapakkumistele on keelatud. Juurdepääsu lubamiseks lubage see portaali seadetes., Supplier Quotation {0} Created,Tarnija pakkumine {0} loodud, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Määratud kogukaal peaks Account {0} exists in parent company {1}.,Konto {0} on emaettevõttes {1}., "To overrule this, enable '{0}' in company {1}",Selle tühistamiseks lubage ettevõttes „{0}” {1}, Invalid condition expression,Vale tingimuse avaldis, +Please Select a Company First,Valige kõigepealt ettevõte, +Please Select Both Company and Party Type First,Palun valige kõigepealt nii ettevõtte kui ka peo tüüp, +Provide the invoice portion in percent,Esitage arve osa protsentides, +Give number of days according to prior selection,Esitage päevade arv vastavalt eelnevale valikule, +Email Details,E-posti üksikasjad, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Valige vastuvõtjale tervitus. Nt härra, proua jne.", +Preview Email,E-posti eelvaade, +Please select a Supplier,Valige tarnija, +Supplier Lead Time (days),Tarnija tarneaeg (päevades), +"Home, Work, etc.","Kodu, töökoht jne.", +Exit Interview Held On,Väljumisintervjuu on pooleli, +Condition and formula,Seisund ja valem, +Sets 'Target Warehouse' in each row of the Items table.,Määrab tabeli Üksused igale reale 'Sihtlao'., +Sets 'Source Warehouse' in each row of the Items table.,Määrab tabeli Üksused igale reale 'Allika ladu'., +POS Register,POSide register, +"Can not filter based on POS Profile, if grouped by POS Profile",POS-profiili järgi ei saa filtreerida POS-profiili järgi, +"Can not filter based on Customer, if grouped by Customer","Kliendi järgi ei saa filtreerida, kui see on rühmitatud kliendi järgi", +"Can not filter based on Cashier, if grouped by Cashier",Kasseri järgi ei saa filtreerida kassapõhiselt, +Payment Method,Makseviis, +"Can not filter based on Payment Method, if grouped by Payment Method","Makseviisi järgi ei saa filtreerida, kui see on rühmitatud makseviisi järgi", +Supplier Quotation Comparison,Tarnijate pakkumiste võrdlus, +Price per Unit (Stock UOM),Ühiku hind (varu UOM), +Group by Supplier,Rühmitage tarnija järgi, +Group by Item,Rühmitage üksuste kaupa, +Remember to set {field_label}. It is required by {regulation}.,Ärge unustage määrata {field_label}. Seda nõuab {määrus}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Registreerumise kuupäev ei tohi olla varasem kui õppeaasta alguskuupäev {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Registreerumise kuupäev ei tohi olla akadeemilise tähtaja lõppkuupäevast {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Registreerumise kuupäev ei tohi olla varasem kui akadeemilise termini alguskuupäev {0}, +Posting future transactions are not allowed due to Immutable Ledger,Tulevaste tehingute postitamine pole lubatud muutumatu pearaamatu tõttu, +Future Posting Not Allowed,Tulevane postitamine pole lubatud, +"To enable Capital Work in Progress Accounting, ",Kapitalitöö jätkamise raamatupidamise lubamiseks, +you must select Capital Work in Progress Account in accounts table,kontode tabelis peate valima Töötlemata konto, +You can also set default CWIP account in Company {},CWIP-i vaikekonto saate määrata ka ettevõttes {}, +The Request for Quotation can be accessed by clicking on the following button,Hinnapakkumisele pääsete juurde klõpsates järgmist nuppu, +Regards,Tervitades, +Please click on the following button to set your new password,Uue parooli määramiseks klõpsake järgmisel nupul, +Update Password,Parooli värskendamine, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Rida nr {}: üksuse {} müügimäär on madalam kui selle {}. Müük {} peaks olema vähemalt {}, +You can alternatively disable selling price validation in {} to bypass this validation.,Selle valideerimise vältimiseks võite müügihindade valideerimise keelata asukohas {}., +Invalid Selling Price,Vale müügihind, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Aadress tuleb ettevõttega linkida. Lisage tabelisse Lingid ettevõtte rida., +Company Not Linked,Ettevõte pole lingitud, +Import Chart of Accounts from CSV / Excel files,Kontoplaani import CSV / Exceli failidest, +Completed Qty cannot be greater than 'Qty to Manufacture',Täidetud kogus ei tohi olla suurem kui „tootmise kogus”, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",Rida {0}: tarnija {1} jaoks on meili saatmiseks vaja e-posti aadressi, diff --git a/erpnext/translations/fa.csv b/erpnext/translations/fa.csv index 0abfa9f058..08e1068f07 100644 --- a/erpnext/translations/fa.csv +++ b/erpnext/translations/fa.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,شارژ از Chargeble,شارژ, Charges are updated in Purchase Receipt against each item,اتهامات در رسید خرید بر علیه هر یک از آیتم به روز شده, "Charges will be distributed proportionately based on item qty or amount, as per your selection",اتهامات خواهد شد توزیع متناسب در تعداد آیتم یا مقدار بر اساس، به عنوان در هر انتخاب شما, -Chart Of Accounts,ساختار حسابها, Chart of Cost Centers,نمودار مراکز هزینه, Check all,بررسی همه, Checkout,وارسی, @@ -581,7 +580,6 @@ Company {0} does not exist,شرکت {0} وجود ندارد, Compensatory Off,جبرانی فعال, Compensatory leave request days not in valid holidays,درخواست روز بازپرداخت جبران خسارت در تعطیلات معتبر, Complaint,شکایت, -Completed Qty can not be greater than 'Qty to Manufacture',تکمیل تعداد نمی تواند بیشتر از 'تعداد برای تولید', Completion Date,تاریخ تکمیل, Computer,کامپیوتر, Condition,شرط, @@ -2033,7 +2031,6 @@ Please select Category first,لطفا ابتدا دسته را انتخاب کن Please select Charge Type first,لطفا ابتدا شارژ نوع را انتخاب کنید, Please select Company,لطفا انتخاب کنید شرکت, Please select Company and Designation,لطفا شرکت و تعیین را انتخاب کنید, -Please select Company and Party Type first,لطفا ابتدا شرکت و حزب نوع را انتخاب کنید, Please select Company and Posting Date to getting entries,لطفا شرکت و تاریخ ارسال را برای گرفتن نوشته انتخاب کنید, Please select Company first,لطفا ابتدا شرکت را انتخاب کنید, Please select Completion Date for Completed Asset Maintenance Log,لطفا تاریخ تکمیل را برای ورود به سیستم نگهداری دارایی تکمیل کنید, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,نام ای The name of your company for which you are setting up this system.,نام شرکت خود را که برای آن شما راه اندازی این سیستم., The number of shares and the share numbers are inconsistent,تعداد سهام و شماره سهم ناسازگار است, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,حساب دروازه پرداخت در برنامه {0} متفاوت از حساب دروازه پرداخت در این درخواست پرداخت است, -The request for quotation can be accessed by clicking on the following link,درخواست برای نقل قول می توان با کلیک بر روی لینک زیر قابل دسترسی, The selected BOMs are not for the same item,BOM ها انتخاب شده برای آیتم یکسان نیست, The selected item cannot have Batch,آیتم انتخاب شده می تواند دسته ای ندارد, The seller and the buyer cannot be the same,فروشنده و خریدار نمیتوانند یکسان باشند, @@ -3543,7 +3539,6 @@ Company GSTIN,شرکت GSTIN, Company field is required,زمینه شرکت مورد نیاز است, Creating Dimensions...,ایجاد ابعاد ..., Duplicate entry against the item code {0} and manufacturer {1},ورودی کپی شده در برابر کد مورد {0} و سازنده {1}, -Import Chart Of Accounts from CSV / Excel files,وارد کردن نمودار حساب از پرونده های CSV / Excel, 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 غیر مقیم مطابقت ندارد, Invoice Grand Total,تعداد کل فاکتور, Last carbon check date cannot be a future date,تاریخ آخرین بررسی کربن نمی تواند یک تاریخ آینده باشد, @@ -3920,7 +3915,6 @@ Plaid authentication error,خطای تأیید اعتبار, Plaid public token error,خطای نشانه عمومی, Plaid transactions sync error,خطای همگام سازی معاملات کار شده, Please check the error log for details about the import errors,لطفاً جزئیات مربوط به خطاهای واردات را وارد کنید, -Please click on the following link to set your new password,لطفا بر روی لینک زیر کلیک کنید برای تنظیم کلمه عبور جدید خود را, Please create DATEV Settings for Company {}.,لطفا ایجاد DATEV تنظیمات برای شرکت {}., Please create adjustment Journal Entry for amount {0} ,لطفاً مبلغ ورود مجله تنظیم را برای مبلغ {0} ایجاد کنید, Please do not create more than 500 items at a time,لطفاً بیش از 500 مورد را همزمان ایجاد نکنید, @@ -4043,7 +4037,6 @@ Search results for,نتایج جستجو برای, Select All,انتخاب همه, Select Difference Account,حساب کاربری تفاوت را انتخاب کنید, Select a Default Priority.,اولویت پیش فرض را انتخاب کنید., -Select a Supplier from the Default Supplier List of the items below.,تأمین کننده را از لیست پیش فرض تهیه کننده موارد زیر انتخاب کنید., Select a company,شرکتی را انتخاب کنید, Select finance book for the item {0} at row {1},کتاب مالی را برای کالا {0} در ردیف {1 Select انتخاب کنید, Select only one Priority as Default.,فقط یک اولویت را به عنوان پیش فرض انتخاب کنید., @@ -4247,7 +4240,6 @@ Yes,بله, Actual ,واقعی, Add to cart,اضافه کردن به سبد, Budget,بودجه, -Chart Of Accounts Importer,وارد کننده نمودار, Chart of Accounts,نمودار حساب, Customer database.,پایگاه داده مشتری., Days Since Last order,روز پس از آخرین سفارش, @@ -4939,7 +4931,6 @@ Closing Account Head,بستن سر حساب, POS Customer Group,POS و ضوابط گروه, POS Field,زمینه POS, POS Item Group,POS مورد گروه, -[Select],[انتخاب], Company Address,آدرس شرکت, Update Stock,به روز رسانی سهام, Ignore Pricing Rule,نادیده گرفتن قانون قیمت گذاری, @@ -6597,11 +6588,6 @@ Relieving Date,تسکین عضویت, Reason for Leaving,دلیلی برای ترک, Leave Encashed?,ترک نقد شدنی؟, Encashment Date,Encashment عضویت, -Exit Interview Details,جزییات خروج مصاحبه, -Held On,برگزار, -Reason for Resignation,دلیل استعفای, -Better Prospects,چشم انداز بهتر, -Health Concerns,نگرانی های بهداشتی, New Workplace,جدید محل کار, HR-EAD-.YYYY.-,HR-EAD- .YYYY.-, Returned Amount,مقدار برگشت داده شد, @@ -8237,9 +8223,6 @@ Landed Cost Help,فرود هزینه راهنما, Manufacturers used in Items,تولید کنندگان مورد استفاده در موارد, Limited to 12 characters,محدود به 12 کاراکتر, MAT-MR-.YYYY.-,MAT-MR- .YYYY.-, -Set Warehouse,انبار را تنظیم کنید, -Sets 'For Warehouse' in each row of the Items table.,مجموعه "برای انبار" را در هر ردیف از جدول موارد قرار می دهد., -Requested For,درخواست برای, Partially Ordered,تا حدی سفارش داده شده است, Transferred,منتقل شده, % Ordered,مرتب٪, @@ -8688,8 +8671,6 @@ Material Request Warehouse,انبار درخواست مواد, Select warehouse for material requests,انبار را برای درخواست های مواد انتخاب کنید, Transfer Materials For Warehouse {0},انتقال مواد برای انبار {0}, Production Plan Material Request Warehouse,طرح تولید انبار درخواست مواد, -Set From Warehouse,تنظیم از انبار, -Source Warehouse (Material Transfer),انبار منبع (انتقال مواد), Sets 'Source Warehouse' in each row of the items table.,"انبار منبع" را در هر ردیف از جدول موارد تنظیم می کند., Sets 'Target Warehouse' in each row of the items table.,"Target Warehouse" را در هر ردیف از جدول موارد تنظیم می کند., Show Cancelled Entries,نمایش مطالب لغو شده, @@ -9155,7 +9136,6 @@ Professional Tax,مالیات حرفه ای, Is Income Tax Component,آیا م Taxلفه مالیات بر درآمد است, Component properties and references ,خصوصیات و منابع ملفه, Additional Salary ,حقوق اضافی, -Condtion and formula,شرط و فرمول, Unmarked days,روزهای بدون علامت, Absent Days,روزهای غایب, Conditions and Formula variable and example,شرایط و متغیر فرمول و مثال, @@ -9442,7 +9422,6 @@ Plaid invalid request error,خطای درخواست نامعتبر شطرنجی, Please check your Plaid client ID and secret values,لطفاً شناسه مشتری Plaid و مقادیر محرمانه خود را بررسی کنید, Bank transaction creation error,خطای ایجاد تراکنش بانکی, Unit of Measurement,واحد اندازه گیری, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},ردیف شماره {}: نرخ فروش مورد {} کمتر از {} آن است. نرخ فروش باید حداقل باشد {}, Fiscal Year {0} Does Not Exist,سال مالی {0} وجود ندارد, Row # {0}: Returned Item {1} does not exist in {2} {3},ردیف شماره {0}: مورد برگشت داده شده {1} در {2} {3} وجود ندارد, Valuation type charges can not be marked as Inclusive,هزینه های نوع ارزیابی را نمی توان به عنوان فراگیر علامت گذاری کرد, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,زمان پا Response Time for {0} priority in row {1} can't be greater than Resolution Time.,زمان پاسخ برای {0} اولویت در ردیف {1} نمی تواند بیشتر از زمان وضوح باشد., {0} is not enabled in {1},{0} در {1} فعال نیست, Group by Material Request,گروه بندی براساس درخواست مواد, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",ردیف {0}: برای تأمین کننده {0} ، آدرس ایمیل برای ارسال ایمیل لازم است, Email Sent to Supplier {0},ایمیل به تأمین کننده ارسال شد {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",دسترسی به درخواست قیمت از پورتال غیرفعال است. برای اجازه دسترسی ، آن را در تنظیمات پورتال فعال کنید., Supplier Quotation {0} Created,قیمت عرضه کننده {0} ایجاد شد, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},وزن کل اختصاص Account {0} exists in parent company {1}.,حساب {0} در شرکت مادر وجود دارد {1}., "To overrule this, enable '{0}' in company {1}",برای کنار گذاشتن این مورد ، "{0}" را در شرکت {1} فعال کنید, Invalid condition expression,بیان شرط نامعتبر است, +Please Select a Company First,لطفاً ابتدا یک شرکت را انتخاب کنید, +Please Select Both Company and Party Type First,لطفا ابتدا هر دو نوع شرکت و مهمانی را انتخاب کنید, +Provide the invoice portion in percent,قسمت فاکتور را به درصد ارائه دهید, +Give number of days according to prior selection,با توجه به انتخاب قبلی ، تعداد روزها را بدهید, +Email Details,جزئیات ایمیل, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.",یک تبریک برای گیرنده انتخاب کنید. مثلاً آقا ، خانم و غیره, +Preview Email,پیش نمایش ایمیل, +Please select a Supplier,لطفاً یک تامین کننده انتخاب کنید, +Supplier Lead Time (days),زمان سرب تامین کننده (روزها), +"Home, Work, etc.",خانه ، محل کار و غیره, +Exit Interview Held On,مصاحبه خارج شد, +Condition and formula,شرایط و فرمول, +Sets 'Target Warehouse' in each row of the Items table.,"Target Warehouse" را در هر ردیف از جدول آیتم ها تنظیم می کند., +Sets 'Source Warehouse' in each row of the Items table.,"منبع انبار" را در هر ردیف از جدول آیتم ها تنظیم می کند., +POS Register,ثبت نام POS, +"Can not filter based on POS Profile, if grouped by POS Profile",اگر براساس نمایه POS دسته بندی شود ، نمی توان براساس نمایه POS فیلتر کرد, +"Can not filter based on Customer, if grouped by Customer",اگر براساس مشتری گروه بندی شده باشد ، نمی توان براساس مشتری فیلتر کرد, +"Can not filter based on Cashier, if grouped by Cashier",اگر براساس صندوقدار دسته بندی شود نمی توان براساس صندوقدار فیلتر کرد, +Payment Method,روش پرداخت, +"Can not filter based on Payment Method, if grouped by Payment Method",اگر براساس روش پرداخت دسته بندی شود ، نمی توان براساس روش پرداخت فیلتر کرد, +Supplier Quotation Comparison,مقایسه قیمت فروشنده, +Price per Unit (Stock UOM),قیمت هر واحد (سهام UOM), +Group by Supplier,گروه بندی توسط تأمین کننده, +Group by Item,گروه بندی بر اساس مورد, +Remember to set {field_label}. It is required by {regulation}.,فراموش نکنید که {field_label} را تنظیم کنید. این توسط {مقررات} لازم است., +Enrollment Date cannot be before the Start Date of the Academic Year {0},تاریخ ثبت نام نمی تواند قبل از تاریخ شروع سال تحصیلی باشد {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},تاریخ ثبت نام نمی تواند بعد از تاریخ پایان ترم تحصیلی باشد {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},تاریخ ثبت نام نمی تواند قبل از تاریخ شروع ترم تحصیلی باشد {0}, +Posting future transactions are not allowed due to Immutable Ledger,ارسال معاملات در آینده به دلیل دفتر تغییر ناپذیر مجاز نیست, +Future Posting Not Allowed,ارسال آینده مجاز نیست, +"To enable Capital Work in Progress Accounting, ",برای فعال کردن سرمایه کار در حسابداری در حال پیشرفت ،, +you must select Capital Work in Progress Account in accounts table,شما باید جدول Capital Work in Progress را در جدول حساب ها انتخاب کنید, +You can also set default CWIP account in Company {},همچنین می توانید حساب پیش فرض CWIP را در شرکت تنظیم کنید {}, +The Request for Quotation can be accessed by clicking on the following button,با کلیک بر روی دکمه زیر می توان به درخواست برای قیمت گذاری دسترسی پیدا کرد, +Regards,با احترام, +Please click on the following button to set your new password,لطفاً برای تنظیم رمز ورود جدید خود بر روی دکمه زیر کلیک کنید, +Update Password,رمز عبور را به روز کنید, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},ردیف شماره {}: نرخ فروش مورد {} کمتر از {} آن است. فروش {} باید حداقل باشد {}, +You can alternatively disable selling price validation in {} to bypass this validation.,برای دور زدن این اعتبار سنجی ، می توانید اعتبار فروش قیمت را در {} غیرفعال کنید., +Invalid Selling Price,قیمت فروش نامعتبر است, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,آدرس باید به یک شرکت پیوند داده شود. لطفاً یک ردیف برای شرکت در جدول پیوندها اضافه کنید., +Company Not Linked,شرکت پیوندی ندارد, +Import Chart of Accounts from CSV / Excel files,نمودار حساب ها را از پرونده های CSV / Excel وارد کنید, +Completed Qty cannot be greater than 'Qty to Manufacture',تعداد تکمیل شده نمی تواند بزرگتر از "تعداد تولید" باشد, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",ردیف {0}: برای تامین کننده {1} ، برای ارسال نامه الکترونیکی آدرس ایمیل لازم است, diff --git a/erpnext/translations/fi.csv b/erpnext/translations/fi.csv index d89436cd24..0e62c59aa4 100644 --- a/erpnext/translations/fi.csv +++ b/erpnext/translations/fi.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,maksun tyyppi Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,maksut on päivitetty ostokuitilla kondistettuna jokaiseen tuotteeseen, "Charges will be distributed proportionately based on item qty or amount, as per your selection","maksut jaetaan suhteellisesti tuotteiden yksikkömäärän tai arvomäärän mukaan, määrityksen perusteella", -Chart Of Accounts,Tilikartta, Chart of Cost Centers,Kustannuspaikkakaavio, Check all,Tarkista kaikki, Checkout,Tarkista, @@ -581,7 +580,6 @@ Company {0} does not exist,Yritys {0} ei ole olemassa, Compensatory Off,korvaava on pois, Compensatory leave request days not in valid holidays,Korvausvapautuspäivät eivät ole voimassaoloaikoina, Complaint,Valitus, -Completed Qty can not be greater than 'Qty to Manufacture',"valmiit yksikkömäärä ei voi olla suurempi kuin ""tuotannon määrä""", Completion Date,katselmus päivä, Computer,Tietokone, Condition,ehto, @@ -2033,7 +2031,6 @@ Please select Category first,Ole hyvä ja valitse Luokka ensin, Please select Charge Type first,Valitse ensin veloitus tyyppi, Please select Company,Ole hyvä ja valitse Company, Please select Company and Designation,Valitse Yritys ja nimike, -Please select Company and Party Type first,Valitse ensin yritys ja osapuoli tyyppi, Please select Company and Posting Date to getting entries,Valitse Yritykset ja kirjauspäivämäärä saadaksesi merkinnät, Please select Company first,Ole hyvä ja valitse Company ensin, Please select Completion Date for Completed Asset Maintenance Log,Valitse Valmistuneen omaisuudenhoitorekisterin päättymispäivä, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Nimi Institu The name of your company for which you are setting up this system.,"Yrityksen nimi, jolle olet luomassa tätä järjestelmää", The number of shares and the share numbers are inconsistent,Osakkeiden lukumäärä ja osakemäärä ovat epäjohdonmukaisia, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Maksuyhdyskäytävätietojärjestelmä {0} poikkeaa maksupyyntötilistä tässä maksupyynnössä, -The request for quotation can be accessed by clicking on the following link,Tarjouspyyntöön pääsee klikkaamalla seuraavaa linkkiä, The selected BOMs are not for the same item,Valitut osaluettelot eivät koske samaa nimikettä, The selected item cannot have Batch,Valittu tuote ei voi olla erä, The seller and the buyer cannot be the same,Myyjä ja ostaja eivät voi olla samat, @@ -3543,7 +3539,6 @@ Company GSTIN,Yritys GSTIN, Company field is required,Yrityksen kenttä on pakollinen, Creating Dimensions...,Luodaan ulottuvuuksia ..., Duplicate entry against the item code {0} and manufacturer {1},Kopio merkinnästä tuotekoodiin {0} ja valmistajaan {1}, -Import Chart Of Accounts from CSV / Excel files,Tuo tilikartta CSV / Excel-tiedostoista, Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Virheellinen GSTIN! Antamasi syöte ei vastaa UIN-haltijoiden tai muualla kuin OIDAR-palveluntarjoajien GSTIN-muotoa, Invoice Grand Total,Laskun kokonaissumma, Last carbon check date cannot be a future date,Viimeinen hiilitarkastuspäivämäärä ei voi olla tulevaisuuden päivämäärä, @@ -3920,7 +3915,6 @@ Plaid authentication error,Plaid todennusvirhe, Plaid public token error,Tavallinen julkinen tunnusvirhe, Plaid transactions sync error,Ruudullinen tapahtumien synkronointivirhe, Please check the error log for details about the import errors,Tarkista tuontivirheistä virheloki, -Please click on the following link to set your new password,Klikkaa seuraavaa linkkiä asettaa uuden salasanan, Please create DATEV Settings for Company {}.,Luo DATEV-asetukset yritykselle {} ., Please create adjustment Journal Entry for amount {0} ,Luo oikaisu päiväkirjakirjaukseen summalle {0}, Please do not create more than 500 items at a time,Älä luo enempää kuin 500 tuotetta kerrallaan, @@ -4043,7 +4037,6 @@ Search results for,Etsi tuloksia, Select All,Valitse kaikki, Select Difference Account,Valitse Ero-tili, Select a Default Priority.,Valitse oletusprioriteetti., -Select a Supplier from the Default Supplier List of the items below.,Valitse toimittaja alla olevista kohteista oletustoimittajaluettelosta., Select a company,Valitse yritys, Select finance book for the item {0} at row {1},Valitse kohteelle {0} rivillä {1} rahoituskirja, Select only one Priority as Default.,Valitse vain yksi prioriteetti oletukseksi., @@ -4247,7 +4240,6 @@ Yes,Kyllä, Actual ,kiinteä määrä, Add to cart,Lisää koriin, Budget,budjetti, -Chart Of Accounts Importer,Tilikartta tuoja, Chart of Accounts,Tilikartta, Customer database.,Asiakastietokanta., Days Since Last order,päivää edellisestä tilauksesta, @@ -4939,7 +4931,6 @@ Closing Account Head,tilin otsikon sulkeminen, POS Customer Group,POS Asiakas Group, POS Field,POS-kenttä, POS Item Group,POS Kohta Group, -[Select],[valitse], Company Address,yritys osoite, Update Stock,Päivitä varasto, Ignore Pricing Rule,ohita hinnoittelu sääntö, @@ -6597,11 +6588,6 @@ Relieving Date,Päättymispäivä, Reason for Leaving,Poistumisen syy, Leave Encashed?,vapaa kuitattu rahana?, Encashment Date,perintä päivä, -Exit Interview Details,poistu haastattelun lisätiedoista, -Held On,järjesteltiin, -Reason for Resignation,Eroamisen syy, -Better Prospects,Parempi Näkymät, -Health Concerns,"terveys, huolenaiheet", New Workplace,Uusi Työpaikka, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Palautettu määrä, @@ -8237,9 +8223,6 @@ Landed Cost Help,"Kohdistetut kustannukset, ohje", Manufacturers used in Items,Valmistajat käytetään Items, Limited to 12 characters,Rajattu 12 merkkiin, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Aseta Warehouse, -Sets 'For Warehouse' in each row of the Items table.,Asettaa 'Varastolle' Kohteet-taulukon jokaiselle riville., -Requested For,Pyydetty kohteelle, Partially Ordered,Osittain tilattu, Transferred,siirretty, % Ordered,% järjestetty, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Materiaalipyyntövarasto, Select warehouse for material requests,Valitse varasto materiaalipyyntöjä varten, Transfer Materials For Warehouse {0},Siirrä materiaaleja varastoon {0}, Production Plan Material Request Warehouse,Tuotantosuunnitelman materiaalipyyntövarasto, -Set From Warehouse,Aseta varastosta, -Source Warehouse (Material Transfer),Lähdevarasto (materiaalinsiirto), Sets 'Source Warehouse' in each row of the items table.,Asettaa 'Lähdevarasto' kullekin tuotetaulukon riville., Sets 'Target Warehouse' in each row of the items table.,Asettaa kohdevaraston kullekin tuotetaulukon riville., Show Cancelled Entries,Näytä peruutetut merkinnät, @@ -9155,7 +9136,6 @@ Professional Tax,Ammattivero, Is Income Tax Component,Onko tuloverokomponentti, Component properties and references ,Komponenttien ominaisuudet ja viitteet, Additional Salary ,Lisäpalkka, -Condtion and formula,Ehto ja kaava, Unmarked days,Merkitsemättömät päivät, Absent Days,Poissa olevat päivät, Conditions and Formula variable and example,Ehdot ja kaavan muuttuja ja esimerkki, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Ruudullinen virheellinen pyyntövirhe, Please check your Plaid client ID and secret values,Tarkista Plaid-asiakastunnuksesi ja salaiset arvosi, Bank transaction creation error,Pankkitapahtumien luomisvirhe, Unit of Measurement,Mittayksikkö, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Rivi # {}: Tuotteen {} myyntihinta on matalampi kuin sen {}. Myyntikoron tulee olla vähintään {}, Fiscal Year {0} Does Not Exist,Tilikausi {0} ei ole olemassa, Row # {0}: Returned Item {1} does not exist in {2} {3},Rivi # {0}: Palautettua kohdetta {1} ei ole kohteessa {2} {3}, Valuation type charges can not be marked as Inclusive,Arvostustyyppisiä maksuja ei voida merkitä sisältäviksi, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Aseta priorit Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Vasteaika {0} rivillä {1} olevalle prioriteetille ei voi olla suurempi kuin tarkkuusaika., {0} is not enabled in {1},{0} ei ole käytössä maassa {1}, Group by Material Request,Ryhmittele materiaalipyynnön mukaan, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Rivi {0}: Toimittajan {0} sähköpostiosoite vaaditaan sähköpostin lähettämiseen, Email Sent to Supplier {0},Sähköposti lähetetty toimittajalle {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Pääsy tarjouspyyntöön portaalista on poistettu käytöstä. Jos haluat sallia pääsyn, ota se käyttöön portaalin asetuksissa.", Supplier Quotation {0} Created,Toimittajan tarjous {0} luotu, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Kohdistetun kokonaispainon Account {0} exists in parent company {1}.,Tili {0} on emoyhtiössä {1}., "To overrule this, enable '{0}' in company {1}",Voit kumota tämän ottamalla yrityksen {0} käyttöön yrityksessä {1}, Invalid condition expression,Virheellinen ehtolauseke, +Please Select a Company First,Valitse ensin yritys, +Please Select Both Company and Party Type First,Valitse ensin sekä yritys- että juhlatyyppi, +Provide the invoice portion in percent,Anna laskutusosuus prosentteina, +Give number of days according to prior selection,Ilmoita päivien määrä etukäteen tehdyn valinnan mukaan, +Email Details,Sähköpostin tiedot, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Valitse tervehdys vastaanottimelle. Esim. Herra, rouva jne.", +Preview Email,Esikatsele sähköpostia, +Please select a Supplier,Valitse toimittaja, +Supplier Lead Time (days),Toimittajan toimitusaika (päivää), +"Home, Work, etc.","Koti, työ jne.", +Exit Interview Held On,Lopeta haastattelu, +Condition and formula,Kunto ja kaava, +Sets 'Target Warehouse' in each row of the Items table.,Asettaa Kohdevarasto Kohde-taulukon jokaiselle riville., +Sets 'Source Warehouse' in each row of the Items table.,Asettaa Lähdevarasto Kohteet-taulukon jokaiselle riville., +POS Register,POS-rekisteri, +"Can not filter based on POS Profile, if grouped by POS Profile","Ei voida suodattaa POS-profiilin perusteella, jos se on ryhmitelty POS-profiilin mukaan", +"Can not filter based on Customer, if grouped by Customer","Ei voi suodattaa asiakkaan perusteella, jos asiakas on ryhmitelty", +"Can not filter based on Cashier, if grouped by Cashier","Ei voi suodattaa kassan perusteella, jos se on ryhmitelty kassan mukaan", +Payment Method,Maksutapa, +"Can not filter based on Payment Method, if grouped by Payment Method","Ei voi suodattaa maksutavan perusteella, jos se on ryhmitelty maksutavan mukaan", +Supplier Quotation Comparison,Toimittajien tarjousten vertailu, +Price per Unit (Stock UOM),Yksikköhinta (varastossa UOM), +Group by Supplier,Ryhmittele toimittajan mukaan, +Group by Item,Ryhmittele kohteiden mukaan, +Remember to set {field_label}. It is required by {regulation}.,Muista asettaa {field_label}. Sitä vaaditaan {asetuksessa}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Ilmoittautumispäivä ei voi olla aikaisempi kuin lukuvuoden aloituspäivä {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Ilmoittautumispäivä ei voi olla lukukauden päättymispäivän jälkeen {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Ilmoittautumispäivä ei voi olla aikaisempi kuin lukukauden aloituspäivä {0}, +Posting future transactions are not allowed due to Immutable Ledger,Tulevien tapahtumien kirjaaminen ei ole sallittua Immutable Ledgerin vuoksi, +Future Posting Not Allowed,Tulevaa julkaisua ei sallita, +"To enable Capital Work in Progress Accounting, ","Jotta pääomatyö käynnissä olevaan kirjanpitoon voidaan ottaa käyttöön,", +you must select Capital Work in Progress Account in accounts table,sinun on valittava pääomatyö käynnissä -tili tilitaulukosta, +You can also set default CWIP account in Company {},Voit myös asettaa CWIP-oletustilin yrityksessä {}, +The Request for Quotation can be accessed by clicking on the following button,Tarjouspyyntöön pääsee napsauttamalla seuraavaa painiketta, +Regards,Terveiset, +Please click on the following button to set your new password,Napsauta seuraavaa painiketta asettaaksesi uuden salasanasi, +Update Password,Päivitä salasana, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Rivi # {}: Tuotteen {} myyntihinta on matalampi kuin sen {}. Myynnin {} tulisi olla vähintään {}, +You can alternatively disable selling price validation in {} to bypass this validation.,Voit vaihtoehtoisesti poistaa myyntihinnan vahvistuksen käytöstä {} ohittaaksesi tämän vahvistuksen., +Invalid Selling Price,Virheellinen myyntihinta, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Osoite on linkitettävä yritykseen. Lisää linkki-taulukkoon Yritys-rivi., +Company Not Linked,Yritystä ei ole linkitetty, +Import Chart of Accounts from CSV / Excel files,Tuo tilikartta CSV / Excel-tiedostoista, +Completed Qty cannot be greater than 'Qty to Manufacture',Toteutettu määrä ei voi olla suurempi kuin "Valmistuksen määrä", +"Row {0}: For Supplier {1}, Email Address is Required to send an email",Rivi {0}: Toimittajalle {1} sähköpostiosoite vaaditaan sähköpostin lähettämiseen, diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv index ead2b9ec69..98eb619132 100644 --- a/erpnext/translations/fr.csv +++ b/erpnext/translations/fr.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge de typ Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,Les frais sont mis à jour dans le Reçu d'Achat pour chaque article, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Les frais seront distribués proportionnellement à la qté ou au montant de l'article, selon votre sélection", -Chart Of Accounts,Plan comptable, Chart of Cost Centers,Tableau des centres de coûts, Check all,Cochez tout, Checkout,Règlement, @@ -581,7 +580,6 @@ Company {0} does not exist,Société {0} n'existe pas, Compensatory Off,Congé Compensatoire, Compensatory leave request days not in valid holidays,Les jours de la demande de congé compensatoire ne sont pas dans des vacances valides, Complaint,Plainte, -Completed Qty can not be greater than 'Qty to Manufacture',"Qté Terminée ne peut pas être supérieure à ""Quantité de Production""", Completion Date,Date d'Achèvement, Computer,Ordinateur, Condition,Conditions, @@ -2033,7 +2031,6 @@ Please select Category first,Veuillez d’abord sélectionner une Catégorie, Please select Charge Type first,Veuillez d’abord sélectionner le Type de Facturation, Please select Company,Veuillez sélectionner une Société, Please select Company and Designation,Veuillez sélectionner la société et la désignation, -Please select Company and Party Type first,Veuillez d’abord sélectionner une Société et le Type de Tiers, Please select Company and Posting Date to getting entries,Veuillez sélectionner la société et la date de comptabilisation pour obtenir les écritures, Please select Company first,Veuillez d’abord sélectionner une Société, 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é, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Le nom de l' The name of your company for which you are setting up this system.,Le nom de l'entreprise pour laquelle vous configurez ce système., The number of shares and the share numbers are inconsistent,Le nombre d'actions dans les transactions est incohérent avec le nombre total d'actions, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Le compte passerelle de paiement dans le plan {0} est différent du compte passerelle de paiement dans cette requête de paiement., -The request for quotation can be accessed by clicking on the following link,La demande de devis peut être consultée en cliquant sur le lien suivant, The selected BOMs are not for the same item,Les LDMs sélectionnées ne sont pas pour le même article, The selected item cannot have Batch,L’article sélectionné ne peut pas avoir de Lot, The seller and the buyer cannot be the same,Le vendeur et l'acheteur ne peuvent pas être les mêmes, @@ -3543,7 +3539,6 @@ Company GSTIN,GSTIN de la Société, Company field is required,Le champ de l'entreprise est obligatoire, Creating Dimensions...,Créer des dimensions ..., Duplicate entry against the item code {0} and manufacturer {1},Dupliquer la saisie par rapport au code article {0} et au fabricant {1}, -Import Chart Of Accounts from CSV / Excel files,Importer un graphique des comptes à partir de fichiers CSV / Excel, 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, Invoice Grand Total,Total général de la facture, Last carbon check date cannot be a future date,La date du dernier bilan carbone ne peut pas être une date future, @@ -3920,7 +3915,6 @@ Plaid authentication error,Erreur d'authentification du plaid, Plaid public token error,Erreur de jeton public Plaid, Plaid transactions sync error,Erreur de synchronisation des transactions plaid, Please check the error log for details about the import errors,Veuillez consulter le journal des erreurs pour plus de détails sur les erreurs d'importation., -Please click on the following link to set your new password,Veuillez cliquer sur le lien suivant pour définir votre nouveau mot de passe, Please create DATEV Settings for Company {}.,Veuillez créer les paramètres DATEV pour l'entreprise {} ., Please create adjustment Journal Entry for amount {0} ,Veuillez créer une écriture de journal d'ajustement pour le montant {0}, Please do not create more than 500 items at a time,Ne créez pas plus de 500 objets à la fois., @@ -4043,7 +4037,6 @@ Search results for,Résultats de recherche pour, Select All,Sélectionner Tout, Select Difference Account,Sélectionnez compte différentiel, Select a Default Priority.,Sélectionnez une priorité par défaut., -Select a Supplier from the Default Supplier List of the items below.,Sélectionnez un fournisseur dans la liste des fournisseurs par défaut des éléments ci-dessous., Select a company,Sélectionnez une entreprise, Select finance book for the item {0} at row {1},Sélectionnez le livre de financement pour l'élément {0} à la ligne {1}., Select only one Priority as Default.,Sélectionnez une seule priorité par défaut., @@ -4247,7 +4240,6 @@ Yes,Oui, Actual ,Réel, Add to cart,Ajouter au Panier, Budget,Budget, -Chart Of Accounts Importer,Importateur de plan comptable, Chart of Accounts,Plan comptable, Customer database.,Base de données clients., Days Since Last order,Jours depuis la dernière commande, @@ -4939,7 +4931,6 @@ Closing Account Head,Compte de clôture, POS Customer Group,Groupe Clients PDV, POS Field,Champ POS, POS Item Group,Groupe d'Articles PDV, -[Select],[Choisir], Company Address,Adresse de la Société, Update Stock,Mettre à Jour le Stock, Ignore Pricing Rule,Ignorez Règle de Prix, @@ -6597,11 +6588,6 @@ Relieving Date,Date de Relève, Reason for Leaving,Raison du Départ, Leave Encashed?,Laisser Encaissé ?, Encashment Date,Date de l'Encaissement, -Exit Interview Details,Entretient de Départ, -Held On,Tenu le, -Reason for Resignation,Raison de la Démission, -Better Prospects,Meilleures Perspectives, -Health Concerns,Problèmes de Santé, New Workplace,Nouveau Lieu de Travail, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Montant retourné, @@ -8237,9 +8223,6 @@ Landed Cost Help,Aide Coûts Logistiques, Manufacturers used in Items,Fabricants utilisés dans les Articles, Limited to 12 characters,Limité à 12 caractères, MAT-MR-.YYYY.-,MAT-MR-YYYY.-, -Set Warehouse,Définir l'entrepôt, -Sets 'For Warehouse' in each row of the Items table.,Définit «Pour l'entrepôt» dans chaque ligne de la table Articles., -Requested For,Demandé Pour, Partially Ordered,Partiellement commandé, Transferred,Transféré, % Ordered,% Commandé, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Entrepôt de demande de matériel, Select warehouse for material requests,Sélectionnez l'entrepôt pour les demandes de matériel, Transfer Materials For Warehouse {0},Transférer des matériaux pour l'entrepôt {0}, Production Plan Material Request Warehouse,Entrepôt de demande de matériel du plan de production, -Set From Warehouse,Définir de l'entrepôt, -Source Warehouse (Material Transfer),Entrepôt d'origine (transfert de matériel), Sets 'Source Warehouse' in each row of the items table.,Définit «Entrepôt source» dans chaque ligne de la table des éléments., Sets 'Target Warehouse' in each row of the items table.,Définit «Entrepôt cible» dans chaque ligne de la table des articles., Show Cancelled Entries,Afficher les entrées annulées, @@ -9155,7 +9136,6 @@ Professional Tax,Taxe professionnelle, Is Income Tax Component,Est un élément de l'impôt sur le revenu, Component properties and references ,Propriétés et références des composants, Additional Salary ,Salaire supplémentaire, -Condtion and formula,Condition et formule, Unmarked days,Jours non marqués, Absent Days,Jours d'absence, Conditions and Formula variable and example,Conditions et variable de formule et exemple, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Erreur de demande non valide pour le plaid, Please check your Plaid client ID and secret values,Veuillez vérifier votre identifiant client Plaid et vos valeurs secrètes, Bank transaction creation error,Erreur de création de transaction bancaire, Unit of Measurement,Unité de mesure, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Ligne n ° {}: le taux de vente de l'article {} est inférieur à son {}. Le taux de vente doit être d'au moins {}, Fiscal Year {0} Does Not Exist,L'exercice budgétaire {0} n'existe pas, Row # {0}: Returned Item {1} does not exist in {2} {3},Ligne n ° {0}: l'élément renvoyé {1} n'existe pas dans {2} {3}, Valuation type charges can not be marked as Inclusive,Les frais de type d'évaluation ne peuvent pas être marqués comme inclusifs, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Définissez l Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Le temps de réponse pour la {0} priorité dans la ligne {1} ne peut pas être supérieur au temps de résolution., {0} is not enabled in {1},{0} n'est pas activé dans {1}, Group by Material Request,Regrouper par demande de matériel, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Ligne {0}: pour le fournisseur {0}, l'adresse e-mail est requise pour envoyer un e-mail", Email Sent to Supplier {0},E-mail envoyé au fournisseur {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","L'accès à la demande de devis du portail est désactivé. Pour autoriser l'accès, activez-le dans les paramètres du portail.", Supplier Quotation {0} Created,Devis fournisseur {0} créé, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Le poids total attribué d Account {0} exists in parent company {1}.,Le compte {0} existe dans la société mère {1}., "To overrule this, enable '{0}' in company {1}","Pour contourner ce problème, activez «{0}» dans l'entreprise {1}", Invalid condition expression,Expression de condition non valide, +Please Select a Company First,Veuillez d'abord sélectionner une entreprise, +Please Select Both Company and Party Type First,Veuillez d'abord sélectionner à la fois la société et le type de partie, +Provide the invoice portion in percent,Fournissez la partie de la facture en pourcentage, +Give number of days according to prior selection,Donnez le nombre de jours selon la sélection préalable, +Email Details,Détails de l'e-mail, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Sélectionnez un message d'accueil pour le destinataire. Par exemple, M., Mme, etc.", +Preview Email,Aperçu de l'e-mail, +Please select a Supplier,Veuillez sélectionner un fournisseur, +Supplier Lead Time (days),Délai fournisseur (jours), +"Home, Work, etc.","Domicile, travail, etc.", +Exit Interview Held On,Entretien de sortie tenu le, +Condition and formula,Condition et formule, +Sets 'Target Warehouse' in each row of the Items table.,Définit «Entrepôt cible» dans chaque ligne de la table Articles., +Sets 'Source Warehouse' in each row of the Items table.,Définit «Entrepôt source» dans chaque ligne de la table Articles., +POS Register,Registre POS, +"Can not filter based on POS Profile, if grouped by POS Profile","Impossible de filtrer en fonction du profil de point de vente, s'il est regroupé par profil de point de vente", +"Can not filter based on Customer, if grouped by Customer","Impossible de filtrer en fonction du client, s'il est regroupé par client", +"Can not filter based on Cashier, if grouped by Cashier","Impossible de filtrer en fonction du caissier, s'il est regroupé par caissier", +Payment Method,Mode de paiement, +"Can not filter based on Payment Method, if grouped by Payment Method","Impossible de filtrer en fonction du mode de paiement, s'il est regroupé par mode de paiement", +Supplier Quotation Comparison,Comparaison des devis fournisseurs, +Price per Unit (Stock UOM),Prix unitaire (Stock UdM), +Group by Supplier,Regrouper par fournisseur, +Group by Item,Grouper par article, +Remember to set {field_label}. It is required by {regulation}.,N'oubliez pas de définir {field_label}. Il est requis par {règlement}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},La date d'inscription ne peut pas être antérieure à la date de début de l'année universitaire {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},La date d'inscription ne peut pas être postérieure à la date de fin du trimestre universitaire {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},La date d'inscription ne peut pas être antérieure à la date de début de la session universitaire {0}, +Posting future transactions are not allowed due to Immutable Ledger,La comptabilisation des transactions futures n'est pas autorisée en raison du grand livre immuable, +Future Posting Not Allowed,Publication future non autorisée, +"To enable Capital Work in Progress Accounting, ","Pour activer la comptabilité des immobilisations en cours,", +you must select Capital Work in Progress Account in accounts table,vous devez sélectionner le compte des travaux d'immobilisations en cours dans le tableau des comptes, +You can also set default CWIP account in Company {},Vous pouvez également définir le compte CWIP par défaut dans Entreprise {}, +The Request for Quotation can be accessed by clicking on the following button,La demande de devis est accessible en cliquant sur le bouton suivant, +Regards,Cordialement, +Please click on the following button to set your new password,Veuillez cliquer sur le bouton suivant pour définir votre nouveau mot de passe, +Update Password,Mettre à jour le mot de passe, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Ligne n ° {}: le taux de vente de l'article {} est inférieur à son {}. La vente {} doit être au moins {}, +You can alternatively disable selling price validation in {} to bypass this validation.,Vous pouvez également désactiver la validation du prix de vente dans {} pour contourner cette validation., +Invalid Selling Price,Prix de vente invalide, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,L'adresse doit être liée à une entreprise. Veuillez ajouter une ligne pour Entreprise dans le tableau Liens., +Company Not Linked,Entreprise non liée, +Import Chart of Accounts from CSV / Excel files,Importer un plan comptable à partir de fichiers CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',La quantité terminée ne peut pas être supérieure à la `` quantité à fabriquer '', +"Row {0}: For Supplier {1}, Email Address is Required to send an email","Ligne {0}: pour le fournisseur {1}, l'adresse e-mail est obligatoire pour envoyer un e-mail", diff --git a/erpnext/translations/gu.csv b/erpnext/translations/gu.csv index b0167670ab..bb29b78061 100644 --- a/erpnext/translations/gu.csv +++ b/erpnext/translations/gu.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,પ્રક Chargeble,ચાર્જબલ, Charges are updated in Purchase Receipt against each item,સમાયોજિત દરેક વસ્તુ સામે ખરીદી રસીદ અપડેટ કરવામાં આવે છે, "Charges will be distributed proportionately based on item qty or amount, as per your selection","સમાયોજિત પ્રમાણમાં તમારી પસંદગી મુજબ, વસ્તુ Qty અથવા રકમ પર આધારિત વિતરણ કરવામાં આવશે", -Chart Of Accounts,એકાઉન્ટ્સ ઓફ ચાર્ટ, Chart of Cost Centers,કિંમત કેન્દ્રો ચાર્ટ, Check all,બધા તપાસો, Checkout,ચેકઆઉટ, @@ -581,7 +580,6 @@ Company {0} does not exist,કંપની {0} અસ્તિત્વમાં Compensatory Off,વળતર બંધ, Compensatory leave request days not in valid holidays,માન્ય રજાઓના દિવસોમાં વળતરની રજાની વિનંતીઓ, Complaint,ફરિયાદ, -Completed Qty can not be greater than 'Qty to Manufacture',કરતાં 'Qty ઉત્પાદન' પૂર્ણ Qty વધારે ન હોઈ શકે, Completion Date,પૂર્ણાહુતિ તારીખ્, Computer,કમ્પ્યુટર, Condition,કન્ડિશન, @@ -2033,7 +2031,6 @@ Please select Category first,પ્રથમ શ્રેણી પસંદ ક Please select Charge Type first,પ્રથમ ચાર્જ પ્રકાર પસંદ કરો, Please select Company,કંપની પસંદ કરો, Please select Company and Designation,કંપની અને હોદ્દો પસંદ કરો, -Please select Company and Party Type first,પ્રથમ કંપની અને પાર્ટી પ્રકાર પસંદ કરો, Please select Company and Posting Date to getting entries,પ્રવેશ મેળવવા માટેની કંપની અને પોસ્ટિંગ તારીખ પસંદ કરો, Please select Company first,પ્રથમ કંપની પસંદ કરો, Please select Completion Date for Completed Asset Maintenance Log,પૂર્ણ સંપત્તિ જાળવણી પ્રવેશ માટે સમાપ્તિ તારીખ પસંદ કરો, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,સંસ્ The name of your company for which you are setting up this system.,તમારી કંપનીના નામ કે જેના માટે તમે આ સિસ્ટમ સુયોજિત કરી રહ્યા હોય., The number of shares and the share numbers are inconsistent,શેર્સની સંખ્યા અને શેરની સંખ્યા અસંગત છે, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,પ્લાન {0} માં ચુકવણી ગેટવે એકાઉન્ટ ચુકવણીની વિનંતીમાં ચુકવણી ગેટવે એકાઉન્ટથી અલગ છે, -The request for quotation can be accessed by clicking on the following link,અવતરણ માટે વિનંતી નીચેની લિંક પર ક્લિક કરીને વાપરી શકાય છે, The selected BOMs are not for the same item,પસંદ BOMs જ વસ્તુ માટે નથી, The selected item cannot have Batch,પસંદ કરેલ વસ્તુ બેચ હોઈ શકે નહિં, The seller and the buyer cannot be the same,વેચનાર અને ખરીદનાર તે જ ન હોઈ શકે, @@ -3543,7 +3539,6 @@ Company GSTIN,કંપની GSTIN, Company field is required,કંપની ક્ષેત્ર આવશ્યક છે, Creating Dimensions...,પરિમાણો બનાવી રહ્યાં છે ..., Duplicate entry against the item code {0} and manufacturer {1},આઇટમ કોડ {0} અને ઉત્પાદક {1} વિરુદ્ધ ડુપ્લિકેટ એન્ટ્રી, -Import Chart Of Accounts from CSV / Excel files,સીએસવી / એક્સેલ ફાઇલોથી એકાઉન્ટ્સનો ચાર્ટ આયાત કરો, Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,અમાન્ય જીએસટીઆઈએન! તમે દાખલ કરેલ ઇનપુટ યુઆઈએન ધારકો અથવા બિન-નિવાસી OIDAR સેવા પ્રદાતાઓ માટેના GSTIN ફોર્મેટ સાથે મેળ ખાતું નથી, Invoice Grand Total,ભરતિયું ગ્રાન્ડ કુલ, Last carbon check date cannot be a future date,છેલ્લી કાર્બન ચેક તારીખ ભવિષ્યની તારીખ હોઈ શકતી નથી, @@ -3920,7 +3915,6 @@ Plaid authentication error,પ્લેઇડ પ્રમાણીકરણ ભ Plaid public token error,પ્લેડ સાર્વજનિક ટોકન ભૂલ, Plaid transactions sync error,પ્લેઇડ ટ્રાન્ઝેક્શન સમન્વયન ભૂલ, Please check the error log for details about the import errors,કૃપા કરીને આયાત ભૂલો વિશેની વિગતો માટે ભૂલ લોગને તપાસો, -Please click on the following link to set your new password,તમારો નવો પાસવર્ડ સુયોજિત કરવા માટે નીચેની લિંક પર ક્લિક કરો, Please create DATEV Settings for Company {}.,કૃપા કરીને કંપની { for માટે DATEV સેટિંગ્સ બનાવો., Please create adjustment Journal Entry for amount {0} ,કૃપા કરી રકમ for 0 for માટે એડજસ્ટમેન્ટ જર્નલ એન્ટ્રી બનાવો, Please do not create more than 500 items at a time,કૃપા કરીને એક સમયે 500 થી વધુ વસ્તુઓ બનાવશો નહીં, @@ -4043,7 +4037,6 @@ Search results for,માટે શોધ પરિણામ, Select All,બધા પસંદ કરો, Select Difference Account,ડિફરન્સ એકાઉન્ટ પસંદ કરો, Select a Default Priority.,ડિફોલ્ટ પ્રાધાન્યતા પસંદ કરો., -Select a Supplier from the Default Supplier List of the items below.,નીચેની આઇટમ્સની ડિફોલ્ટ સપ્લાયર સૂચિમાંથી સપ્લાયર પસંદ કરો., Select a company,કોઈ કંપની પસંદ કરો, Select finance book for the item {0} at row {1},પંક્તિ {1} પર આઇટમ {0} માટે ફાઇનાન્સ બુક પસંદ કરો, Select only one Priority as Default.,ડિફaultલ્ટ તરીકે ફક્ત એક પ્રાધાન્યતા પસંદ કરો., @@ -4247,7 +4240,6 @@ Yes,હા, Actual ,વાસ્તવિક, Add to cart,સૂચી માં સામેલ કરો, Budget,બજેટ, -Chart Of Accounts Importer,એકાઉન્ટ્સ આયાતકારનો ચાર્ટ, Chart of Accounts,હિસાબનો ચાર્ટ, Customer database.,ગ્રાહક ડેટાબેઝ., Days Since Last order,છેલ્લે ઓર્ડર સુધીનાં દિવસો, @@ -4939,7 +4931,6 @@ Closing Account Head,એકાઉન્ટ વડા બંધ, POS Customer Group,POS ગ્રાહક જૂથ, POS Field,પોસ ક્ષેત્ર, POS Item Group,POS વસ્તુ ગ્રુપ, -[Select],[પસંદ કરો], Company Address,કંપનીનું સરનામું, Update Stock,સુધારા સ્ટોક, Ignore Pricing Rule,પ્રાઇસીંગ નિયમ અવગણો, @@ -6597,11 +6588,6 @@ Relieving Date,રાહત તારીખ, Reason for Leaving,છોડીને માટે કારણ, Leave Encashed?,વટાવી છોડી?, Encashment Date,એન્કેશમેન્ટ તારીખ, -Exit Interview Details,બહાર નીકળો મુલાકાત વિગતો, -Held On,આયોજન પર, -Reason for Resignation,રાજીનામાની કારણ, -Better Prospects,સારી સંભાવના, -Health Concerns,આરોગ્ય ચિંતા, New Workplace,ન્યૂ નોકરીના સ્થળે, HR-EAD-.YYYY.-,એચઆર-ઇએડી-. યેવાયવાય.-, Returned Amount,પરત રકમ, @@ -8237,9 +8223,6 @@ Landed Cost Help,ઉતારેલ માલની કિંમત મદદ, Manufacturers used in Items,વસ્તુઓ વપરાય ઉત્પાદકો, Limited to 12 characters,12 અક્ષરો સુધી મર્યાદિત, MAT-MR-.YYYY.-,એમએટી- એમઆર-યુ.વાયવાયવાય.-, -Set Warehouse,વેરહાઉસ સેટ કરો, -Sets 'For Warehouse' in each row of the Items table.,આઇટમ કોષ્ટકની દરેક પંક્તિમાં 'વેરહાઉસ માટે' સેટ કરો., -Requested For,વિનંતી, Partially Ordered,આંશિક રીતે આદેશ આપ્યો, Transferred,પર સ્થાનાંતરિત કરવામાં આવી, % Ordered,% આદેશ આપ્યો, @@ -8688,8 +8671,6 @@ Material Request Warehouse,સામગ્રી વિનંતી વેરહ Select warehouse for material requests,સામગ્રી વિનંતીઓ માટે વેરહાઉસ પસંદ કરો, Transfer Materials For Warehouse {0},વેરહાઉસ Material 0 For માટે સામગ્રી સ્થાનાંતરિત કરો, Production Plan Material Request Warehouse,ઉત્પાદન યોજના સામગ્રી વિનંતી વેરહાઉસ, -Set From Warehouse,વેરહાઉસમાંથી સેટ કરો, -Source Warehouse (Material Transfer),સોર્સ વેરહાઉસ (મટીરિયલ ટ્રાન્સફર), Sets 'Source Warehouse' in each row of the items table.,આઇટમ્સ કોષ્ટકની દરેક પંક્તિમાં 'સોર્સ વેરહાઉસ' સેટ કરો., Sets 'Target Warehouse' in each row of the items table.,આઇટમ્સના ટેબલની દરેક પંક્તિમાં 'લક્ષ્ય વેરહાઉસ' સેટ કરો., Show Cancelled Entries,રદ કરેલ પ્રવેશો બતાવો, @@ -9155,7 +9136,6 @@ Professional Tax,વ્યવસાયિક કર, Is Income Tax Component,આવકવેરાના ભાગ છે, Component properties and references ,ઘટક ગુણધર્મો અને સંદર્ભો, Additional Salary ,વધારાના પગાર, -Condtion and formula,સ્થિતિ અને સૂત્ર, Unmarked days,અંકિત દિવસો, Absent Days,ગેરહાજર દિવસો, Conditions and Formula variable and example,શરતો અને ફોર્મ્યુલા ચલ અને ઉદાહરણ, @@ -9442,7 +9422,6 @@ Plaid invalid request error,પ્લેઇડ અમાન્ય વિનં Please check your Plaid client ID and secret values,કૃપા કરી તમારી પ્લેઇડ ક્લાયંટ આઈડી અને ગુપ્ત મૂલ્યો તપાસો, Bank transaction creation error,બેંક વ્યવહાર બનાવવાની ભૂલ, Unit of Measurement,માપન એકમ, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},પંક્તિ # {}: આઇટમ for for માટે વેચવાનો દર તેના {than કરતા ઓછો છે. વેચવાનો દર ઓછામાં ઓછો હોવો જોઈએ}}, Fiscal Year {0} Does Not Exist,નાણાકીય વર્ષ {0} અસ્તિત્વમાં નથી, Row # {0}: Returned Item {1} does not exist in {2} {3},પંક્તિ # {0}: પરત કરેલ આઇટમ {1 {{2} {3 in માં અસ્તિત્વમાં નથી, Valuation type charges can not be marked as Inclusive,મૂલ્ય પ્રકારનાં ચાર્જને સમાવિષ્ટ તરીકે ચિહ્નિત કરી શકાતા નથી, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,પ્રા Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Row 0 row પંક્તિમાં અગ્રતા માટેનો પ્રતિસાદ સમય {1 Time રિઝોલ્યુશન સમય કરતા વધુ હોઈ શકતો નથી., {0} is not enabled in {1},{0} {1} માં સક્ષમ નથી, Group by Material Request,સામગ્રી વિનંતી દ્વારા જૂથ, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","પંક્તિ {0}: સપ્લાયર {0} માટે, ઇમેઇલ મોકલવા માટે ઇમેઇલ સરનામું આવશ્યક છે", Email Sent to Supplier {0},સપ્લાયર Supplier 0} ને મોકલો ઇમેઇલ, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","પોર્ટલથી અવતરણ માટેની વિનંતીની Disક્સેસ અક્ષમ છે. Allક્સેસને મંજૂરી આપવા માટે, તેને પોર્ટલ સેટિંગ્સમાં સક્ષમ કરો.", Supplier Quotation {0} Created,સપ્લાયર અવતરણ {0. બનાવ્યું, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},સોંપાયેલ Account {0} exists in parent company {1}.,એકાઉન્ટ {0 parent પેરેંટ કંપની} 1} માં અસ્તિત્વમાં છે., "To overrule this, enable '{0}' in company {1}","તેને ઉથલાવવા માટે, કંપની {1} માં '{0}' સક્ષમ કરો.", Invalid condition expression,અમાન્ય શરત અભિવ્યક્તિ, +Please Select a Company First,કૃપા કરીને પહેલા કોઈ કંપની પસંદ કરો, +Please Select Both Company and Party Type First,કૃપા કરીને કંપની અને પાર્ટી પ્રકાર બંને પસંદ કરો, +Provide the invoice portion in percent,ટકામાં ભરતિયું ભાગ પ્રદાન કરો, +Give number of days according to prior selection,પૂર્વ પસંદગી મુજબ દિવસોની સંખ્યા આપો, +Email Details,ઇમેઇલ વિગતો, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","પ્રાપ્તકર્તા માટે શુભેચ્છા પસંદ કરો. દા.ત. શ્રી, કુ., વગેરે.", +Preview Email,પૂર્વાવલોકન ઇમેઇલ, +Please select a Supplier,કૃપા કરીને કોઈ સપ્લાયર પસંદ કરો, +Supplier Lead Time (days),સપ્લાયર લીડ સમય (દિવસ), +"Home, Work, etc.","ઘર, કાર્ય, વગેરે.", +Exit Interview Held On,બહાર નીકળો ઇન્ટરવ્યુ, +Condition and formula,સ્થિતિ અને સૂત્ર, +Sets 'Target Warehouse' in each row of the Items table.,આઇટમ કોષ્ટકની દરેક પંક્તિમાં 'લક્ષ્ય વેરહાઉસ' સેટ કરો., +Sets 'Source Warehouse' in each row of the Items table.,આઇટમ કોષ્ટકની દરેક પંક્તિમાં 'સોર્સ વેરહાઉસ' સેટ કરો., +POS Register,પોસ નોંધણી, +"Can not filter based on POS Profile, if grouped by POS Profile","જો પીઓએસ પ્રોફાઇલ દ્વારા જૂથ થયેલ હોય, તો પીઓએસ પ્રોફાઇલના આધારે ફિલ્ટર કરી શકાતું નથી", +"Can not filter based on Customer, if grouped by Customer","જો ગ્રાહક દ્વારા જૂથ થયેલ હોય, તો ગ્રાહકના આધારે ફિલ્ટર કરી શકતા નથી", +"Can not filter based on Cashier, if grouped by Cashier","જો કેશિયર દ્વારા જૂથ થયેલ હોય, તો કેશિયરના આધારે ફિલ્ટર કરી શકતા નથી", +Payment Method,ચુકવણી પદ્ધતિ, +"Can not filter based on Payment Method, if grouped by Payment Method","જો ચુકવણી પદ્ધતિ દ્વારા જૂથ થયેલ હોય, તો ચુકવણી પદ્ધતિના આધારે ફિલ્ટર કરી શકાતું નથી", +Supplier Quotation Comparison,સપ્લાયર અવતરણ સરખામણી, +Price per Unit (Stock UOM),યુનિટ દીઠ ભાવ (સ્ટોક યુઓએમ), +Group by Supplier,સપ્લાયર દ્વારા જૂથ, +Group by Item,આઇટમ દ્વારા જૂથ, +Remember to set {field_label}. It is required by {regulation}.,{ફીલ્ડ_લેબલ set સેટ કરવાનું યાદ રાખો. તે {નિયમન by દ્વારા આવશ્યક છે., +Enrollment Date cannot be before the Start Date of the Academic Year {0},નોંધણી તારીખ શૈક્ષણિક વર્ષ Date 0} ની શરૂઆતની તારીખની પહેલાં હોઇ શકે નહીં, +Enrollment Date cannot be after the End Date of the Academic Term {0},નોંધણી તારીખ શૈક્ષણિક મુદતની સમાપ્તિ તારીખ be 0 after પછીની હોઈ શકતી નથી, +Enrollment Date cannot be before the Start Date of the Academic Term {0},નોંધણી તારીખ શૈક્ષણિક મુદતની પ્રારંભ તારીખ before 0 before પહેલાંની હોઈ શકતી નથી, +Posting future transactions are not allowed due to Immutable Ledger,અનિયમિત લેજરને કારણે પોસ્ટિંગ ભવિષ્યના વ્યવહારોની મંજૂરી નથી, +Future Posting Not Allowed,ભાવિ પોસ્ટિંગની મંજૂરી નથી, +"To enable Capital Work in Progress Accounting, ","પ્રગતિ એકાઉન્ટિંગમાં કેપિટલ વર્કને સક્ષમ કરવા માટે,", +you must select Capital Work in Progress Account in accounts table,તમારે એકાઉન્ટ્સ ટેબલમાં પ્રગતિ ખાતામાં મૂડી કાર્ય પસંદ કરવું આવશ્યક છે, +You can also set default CWIP account in Company {},તમે કંપની default in માં ડિફોલ્ટ CWIP એકાઉન્ટ પણ સેટ કરી શકો છો., +The Request for Quotation can be accessed by clicking on the following button,વિનંતી માટેની વિનંતી નીચેના બટન પર ક્લિક કરીને .ક્સેસ કરી શકાય છે, +Regards,સાદર, +Please click on the following button to set your new password,કૃપા કરીને તમારો નવો પાસવર્ડ સેટ કરવા માટે નીચેના બટન પર ક્લિક કરો, +Update Password,પાસવર્ડ અપડેટ કરો, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},પંક્તિ # {}: આઇટમ for for માટે વેચવાનો દર તેના {than કરતા ઓછો છે. {Lling નું વેચાણ ઓછામાં ઓછું હોવું જોઈએ {}, +You can alternatively disable selling price validation in {} to bypass this validation.,આ માન્યતાને બાયપાસ કરવા માટે તમે વૈકલ્પિક રૂપે વેચાણ મૂલ્ય માન્યતાને {in માં અક્ષમ કરી શકો છો., +Invalid Selling Price,અમાન્ય વેચાણ કિંમત, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,સરનામાંને કંપની સાથે જોડવાની જરૂર છે. કૃપા કરીને લિંક્સ કોષ્ટકમાં કંપની માટે એક પંક્તિ ઉમેરો., +Company Not Linked,કંપની લિંક્ટેડ નથી, +Import Chart of Accounts from CSV / Excel files,સીએસવી / એક્સેલ ફાઇલોથી એકાઉન્ટ્સનું ચાર્ટ આયાત કરો, +Completed Qty cannot be greater than 'Qty to Manufacture',પૂર્ણ થયેલી ક્યુટી 'ક્યૂટી ટુ મેન્યુફેક્ચરિંગ' કરતા મોટી ન હોઈ શકે, +"Row {0}: For Supplier {1}, Email Address is Required to send an email","પંક્તિ {0}: સપ્લાયર {1} માટે, ઇમેઇલ મોકલવા માટે ઇમેઇલ સરનામું આવશ્યક છે", diff --git a/erpnext/translations/he.csv b/erpnext/translations/he.csv index fc4637b8c9..45701bbfc3 100644 --- a/erpnext/translations/he.csv +++ b/erpnext/translations/he.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,תשלום מ Chargeble,חיוב מטען, Charges are updated in Purchase Receipt against each item,חיובים מתעדכנות בקבלת רכישה כנגד כל פריט, "Charges will be distributed proportionately based on item qty or amount, as per your selection","תשלום נוסף שיחולק לפי אופן יחסי על כמות פריט או סכום, בהתאם לבחירתך", -Chart Of Accounts,תרשים של חשבונות, Chart of Cost Centers,תרשים של מרכזי עלות, Check all,סמן הכל, Checkout,לבדוק, @@ -581,7 +580,6 @@ Company {0} does not exist,החברה {0} לא קיים, Compensatory Off,Off המפצה, Compensatory leave request days not in valid holidays,ימי בקשת חופשת פיצויים שאינם בחגים תקפים, Complaint,תְלוּנָה, -Completed Qty can not be greater than 'Qty to Manufacture',"כמות שהושלמה לא יכולה להיות גדולה מ 'כמות לייצור """, Completion Date,תאריך סיום, Computer,מחשב, Condition,מצב, @@ -2033,7 +2031,6 @@ Please select Category first,אנא בחר תחילה קטגוריה, Please select Charge Type first,אנא בחר Charge סוג ראשון, Please select Company,אנא בחר חברה, Please select Company and Designation,אנא בחר חברה וייעוד, -Please select Company and Party Type first,אנא בחר סוג החברה והמפלגה ראשון, Please select Company and Posting Date to getting entries,אנא בחר חברה ותאריך פרסום לקבלת רשומות, Please select Company first,אנא בחר החברה ראשונה, Please select Completion Date for Completed Asset Maintenance Log,אנא בחר תאריך סיום עבור יומן תחזוקת הנכסים שהושלם, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,שמו של The name of your company for which you are setting up this system.,שמה של החברה שלך שאתה מגדיר את המערכת הזאת., The number of shares and the share numbers are inconsistent,מספר המניות ומספרי המניות אינם עקביים, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,חשבון שער התשלום בתכנית {0} שונה מחשבון שער התשלום בבקשת תשלום זו, -The request for quotation can be accessed by clicking on the following link,ניתן לגשת לבקשה להצעת מחיר על ידי לחיצה על הקישור הבא, The selected BOMs are not for the same item,בומס שנבחר אינו תמורת אותו הפריט, The selected item cannot have Batch,הפריט שנבחר לא יכול להיות אצווה, The seller and the buyer cannot be the same,המוכר והקונה לא יכולים להיות זהים, @@ -3543,7 +3539,6 @@ Company GSTIN,חברת GSTIN, Company field is required,נדרש שדה חברה, Creating Dimensions...,יוצר מימדים ..., Duplicate entry against the item code {0} and manufacturer {1},ערך כפול מול קוד הפריט {0} והיצרן {1}, -Import Chart Of Accounts from CSV / Excel files,ייבא תרשים חשבונות מקבצי CSV / Excel, 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 שאינם תושבים, Invoice Grand Total,חשבונית גרנד סה"כ, Last carbon check date cannot be a future date,תאריך בדיקת הפחמן האחרון לא יכול להיות תאריך עתידי, @@ -3920,7 +3915,6 @@ Plaid authentication error,שגיאת אימות משובצת, Plaid public token error,שגיאת אסימון ציבורי משובץ, Plaid transactions sync error,שגיאת סנכרון של עסקאות משובצות, Please check the error log for details about the import errors,אנא בדוק ביומן השגיאות לקבלת פרטים אודות שגיאות הייבוא, -Please click on the following link to set your new password,אנא לחץ על הקישור הבא כדי להגדיר את הסיסמה החדשה שלך, Please create DATEV Settings for Company {}.,אנא צור הגדרות DATEV לחברה {} ., Please create adjustment Journal Entry for amount {0} ,אנא צור ערך יומן התאמה לסכום {0}, Please do not create more than 500 items at a time,נא לא ליצור יותר מ -500 פריטים בכל פעם, @@ -4043,7 +4037,6 @@ Search results for,תוצאות חיפוש עבור, Select All,בחר הכל, Select Difference Account,בחר חשבון ההבדל, Select a Default Priority.,בחר עדיפות ברירת מחדל., -Select a Supplier from the Default Supplier List of the items below.,בחר ספק מרשימת ספקי ברירת המחדל של הפריטים שלהלן., Select a company,בחר חברה, Select finance book for the item {0} at row {1},בחר ספר פיננסים לפריט {0} בשורה {1}, Select only one Priority as Default.,בחר עדיפות אחת בלבד כברירת מחדל., @@ -4247,7 +4240,6 @@ Yes,כן, Actual ,בפועל, Add to cart,הוסף לסל, Budget,תקציב, -Chart Of Accounts Importer,תרשים יבואן חשבונות, Chart of Accounts,תרשים של חשבונות, Customer database.,מאגר מידע על לקוחות., Days Since Last order,ימים מאז הזמנה אחרונה, @@ -4939,7 +4931,6 @@ Closing Account Head,סגירת חשבון ראש, POS Customer Group,קבוצת לקוחות של קופה, POS Field,שדה קופה, POS Item Group,קבוצת פריטי קופה, -[Select],[בחר], Company Address,כתובת החברה, Update Stock,בורסת עדכון, Ignore Pricing Rule,התעלם כלל תמחור, @@ -6597,11 +6588,6 @@ Relieving Date,תאריך להקלה, Reason for Leaving,סיבה להשארה, Leave Encashed?,השאר Encashed?, Encashment Date,תאריך encashment, -Exit Interview Details,פרטי ראיון יציאה, -Held On,במוחזק, -Reason for Resignation,סיבה להתפטרות, -Better Prospects,סיכויים טובים יותר, -Health Concerns,חששות בריאות, New Workplace,חדש במקום העבודה, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,הסכום שהוחזר, @@ -8237,9 +8223,6 @@ Landed Cost Help,עזרה עלות נחתה, Manufacturers used in Items,יצרנים השתמשו בפריטים, Limited to 12 characters,מוגבל ל -12 תווים, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,הגדר מחסן, -Sets 'For Warehouse' in each row of the Items table.,מגדיר 'עבור מחסן' בכל שורה בטבלת הפריטים., -Requested For,ביקש ל, Partially Ordered,הוזמן חלקית, Transferred,הועבר, % Ordered,% מסודר, @@ -8688,8 +8671,6 @@ Material Request Warehouse,מחסן בקשת חומרים, Select warehouse for material requests,בחר מחסן לבקשות חומר, Transfer Materials For Warehouse {0},העברת חומרים למחסן {0}, Production Plan Material Request Warehouse,מחסן בקשת חומר לתכנית ייצור, -Set From Warehouse,מוגדר מהמחסן, -Source Warehouse (Material Transfer),מחסן מקור (העברת חומרים), Sets 'Source Warehouse' in each row of the items table.,מגדיר 'מחסן מקור' בכל שורה בטבלת הפריטים., Sets 'Target Warehouse' in each row of the items table.,מגדיר 'מחסן יעד' בכל שורה בטבלת הפריטים., Show Cancelled Entries,הצג ערכים שבוטלו, @@ -9155,7 +9136,6 @@ Professional Tax,מס מקצועי, Is Income Tax Component,הוא רכיב מס הכנסה, Component properties and references ,מאפייני רכיבים והפניות, Additional Salary ,שכר נוסף, -Condtion and formula,הולכה ונוסחה, Unmarked days,ימים לא מסומנים, Absent Days,ימי נעדרים, Conditions and Formula variable and example,משתנה תנאי ונוסחה ודוגמא, @@ -9442,7 +9422,6 @@ Plaid invalid request error,שגיאת בקשה לא חוקית משובצת, Please check your Plaid client ID and secret values,אנא בדוק את מזהה הלקוח המשובץ שלך ואת הערכים הסודיים שלך, Bank transaction creation error,שגיאה ביצירת עסקאות בנק, Unit of Measurement,יחידת מידה, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},שורה מספר {}: שיעור המכירה של הפריט {} נמוך מ- {} שלו. שיעור המכירה צריך להיות לפחות {}, Fiscal Year {0} Does Not Exist,שנת הכספים {0} לא קיימת, Row # {0}: Returned Item {1} does not exist in {2} {3},שורה מספר {0}: פריט שהוחזר {1} אינו קיים ב {2} {3}, Valuation type charges can not be marked as Inclusive,לא ניתן לסמן חיובים מסוג הערכת שווי כולל, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,הגדר זמ Response Time for {0} priority in row {1} can't be greater than Resolution Time.,זמן התגובה ל {0} עדיפות בשורה {1} לא יכול להיות גדול משעת הרזולוציה., {0} is not enabled in {1},{0} אינו מופעל ב- {1}, Group by Material Request,קבץ לפי בקשת חומרים, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","שורה {0}: עבור הספק {0}, כתובת הדוא"ל נדרשת כדי לשלוח דוא"ל", Email Sent to Supplier {0},אימייל נשלח לספק {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","הגישה לבקשה להצעת מחיר מהפורטל אינה זמינה. כדי לאפשר גישה, הפעל אותו בהגדרות הפורטל.", Supplier Quotation {0} Created,הצעת מחיר לספק {0} נוצרה, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},המשקל הכללי שה Account {0} exists in parent company {1}.,החשבון {0} קיים בחברת האם {1}., "To overrule this, enable '{0}' in company {1}","כדי לבטל את זה, הפעל את '{0}' בחברה {1}", Invalid condition expression,ביטוי מצב לא חוקי, +Please Select a Company First,אנא בחר חברה ראשונה, +Please Select Both Company and Party Type First,אנא בחר ראשית הן סוג החברה והן סוג המפלגה, +Provide the invoice portion in percent,ספק את חלק החשבונית באחוזים, +Give number of days according to prior selection,תן מספר ימים על פי בחירה מוקדמת, +Email Details,פרטי דוא"ל, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","בחר ברכה למקלט. למשל מר, גב 'וכו'.", +Preview Email,תצוגה מקדימה של אימייל, +Please select a Supplier,אנא בחר ספק, +Supplier Lead Time (days),זמן עופרת ספק (ימים), +"Home, Work, etc.","בית, עבודה וכו '.", +Exit Interview Held On,ראיון יציאה נערך, +Condition and formula,מצב ונוסחה, +Sets 'Target Warehouse' in each row of the Items table.,מגדיר 'מחסן יעד' בכל שורה בטבלת הפריטים., +Sets 'Source Warehouse' in each row of the Items table.,מגדיר 'מחסן מקור' בכל שורה בטבלת הפריטים., +POS Register,הרשמת קופה, +"Can not filter based on POS Profile, if grouped by POS Profile","לא ניתן לסנן על סמך פרופיל קופה, אם מקובצים לפי פרופיל קופה", +"Can not filter based on Customer, if grouped by Customer","לא ניתן לסנן על בסיס לקוח, אם מקובץ לפי לקוח", +"Can not filter based on Cashier, if grouped by Cashier","לא ניתן לסנן על בסיס קופאי, אם מקובץ לפי קופאית", +Payment Method,אמצעי תשלום, +"Can not filter based on Payment Method, if grouped by Payment Method","לא ניתן לסנן על בסיס אמצעי תשלום, אם מקובצים לפי אמצעי תשלום", +Supplier Quotation Comparison,השוואת הצעות מחיר לספקים, +Price per Unit (Stock UOM),מחיר ליחידה (UOM מלאי), +Group by Supplier,קבץ לפי ספק, +Group by Item,קבץ לפי פריט, +Remember to set {field_label}. It is required by {regulation}.,זכור להגדיר את {field_label}. זה נדרש על ידי {Regulation}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},תאריך ההרשמה לא יכול להיות לפני תאריך ההתחלה של השנה האקדמית {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},תאריך ההרשמה לא יכול להיות אחרי תאריך הסיום של הקדנציה האקדמית {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},תאריך ההרשמה לא יכול להיות לפני תאריך ההתחלה של הקדנציה האקדמית {0}, +Posting future transactions are not allowed due to Immutable Ledger,לא ניתן לפרסם עסקאות עתידיות בגלל חשבונאות בלתי ניתנות לשינוי, +Future Posting Not Allowed,פרסום עתידי אינו מותר, +"To enable Capital Work in Progress Accounting, ","כדי לאפשר חשבונאות בביצוע עבודות הון,", +you must select Capital Work in Progress Account in accounts table,עליך לבחור חשבון עבודות הון בתהליך בטבלת החשבונות, +You can also set default CWIP account in Company {},ניתן גם להגדיר חשבון CWIP המוגדר כברירת מחדל בחברה {}, +The Request for Quotation can be accessed by clicking on the following button,ניתן לגשת לבקשה להצעת מחיר על ידי לחיצה על הכפתור הבא, +Regards,בברכה, +Please click on the following button to set your new password,אנא לחץ על הכפתור הבא כדי להגדיר את הסיסמה החדשה שלך, +Update Password,עדכן סיסמה, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},שורה מספר {}: שיעור המכירה של הפריט {} נמוך מ- {} שלו. המכירה {} צריכה להיות לפחות {}, +You can alternatively disable selling price validation in {} to bypass this validation.,לחלופין תוכל להשבית את אימות מחיר המכירה ב- {} כדי לעקוף את האימות הזה., +Invalid Selling Price,מחיר מכירה לא חוקי, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,כתובת צריכה להיות מקושרת לחברה. אנא הוסף שורה לחברה בטבלת הקישורים., +Company Not Linked,חברה לא מקושרת, +Import Chart of Accounts from CSV / Excel files,ייבא תרשים חשבונות מקבצי CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',כמות שהושלמה לא יכולה להיות גדולה מ- 'כמות לייצור', +"Row {0}: For Supplier {1}, Email Address is Required to send an email","שורה {0}: לספק {1}, נדרשת כתובת דוא"ל כדי לשלוח דוא"ל", diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv index 7a96f870f2..f4390adcca 100644 --- a/erpnext/translations/hi.csv +++ b/erpnext/translations/hi.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रक Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,प्रभार प्रत्येक आइटम के खिलाफ खरीद रसीद में नवीनीकृत कर रहे हैं, "Charges will be distributed proportionately based on item qty or amount, as per your selection","प्रभार अनुपात में अपने चयन के अनुसार, मद मात्रा या राशि के आधार पर वितरित किया जाएगा", -Chart Of Accounts,खातों का चार्ट, Chart of Cost Centers,लागत केंद्र के चार्ट, Check all,सभी की जांच करो, Checkout,चेक आउट, @@ -581,7 +580,6 @@ Company {0} does not exist,कंपनी {0} मौजूद नहीं ह Compensatory Off,प्रतिपूरक बंद, Compensatory leave request days not in valid holidays,मुआवजा छोड़ने के अनुरोध दिन वैध छुट्टियों में नहीं, Complaint,शिकायत, -Completed Qty can not be greater than 'Qty to Manufacture',की तुलना में 'मात्रा निर्माण करने के लिए' पूरी की गई मात्रा अधिक नहीं हो सकता, Completion Date,पूरा करने की तिथि, Computer,कंप्यूटर, Condition,शर्त, @@ -2033,7 +2031,6 @@ Please select Category first,प्रथम श्रेणी का चयन Please select Charge Type first,प्रभारी प्रकार पहले का चयन करें, Please select Company,कंपनी का चयन करें, Please select Company and Designation,कृपया कंपनी और पदनाम का चयन करें, -Please select Company and Party Type first,पहले कंपनी और पार्टी के प्रकार का चयन करें, Please select Company and Posting Date to getting entries,कृपया प्रविष्टियां प्राप्त करने के लिए कंपनी और पोस्टिंग तिथि का चयन करें, Please select Company first,पहले कंपनी का चयन करें, Please select Completion Date for Completed Asset Maintenance Log,कृपया पूर्ण संपत्ति रखरखाव लॉग के लिए समापन तिथि का चयन करें, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,संस् The name of your company for which you are setting up this system.,"आप इस प्रणाली स्थापित कर रहे हैं , जिसके लिए आपकी कंपनी का नाम .", The number of shares and the share numbers are inconsistent,शेयरों की संख्या और शेयर संख्याएं असंगत हैं, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,योजना {0} में भुगतान गेटवे खाता इस भुगतान अनुरोध में भुगतान गेटवे खाते से अलग है, -The request for quotation can be accessed by clicking on the following link,उद्धरण के लिए अनुरोध नीचे दिए गए लिंक पर क्लिक करके पहुँचा जा सकता है, The selected BOMs are not for the same item,चुने गए BOMs एक ही मद के लिए नहीं हैं, The selected item cannot have Batch,चयनित आइटम बैच नहीं हो सकता, The seller and the buyer cannot be the same,विक्रेता और खरीदार एक ही नहीं हो सकता, @@ -3543,7 +3539,6 @@ Company GSTIN,कंपनी जीएसटीआईएन, Company field is required,कंपनी क्षेत्र की आवश्यकता है, Creating Dimensions...,आयाम बनाना ..., Duplicate entry against the item code {0} and manufacturer {1},आइटम कोड {0} और निर्माता {1} के खिलाफ डुप्लिकेट प्रविष्टि, -Import Chart Of Accounts from CSV / Excel files,CSV / Excel फ़ाइलों से खातों का आयात चार्ट, 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 प्रारूप से मेल नहीं खाता है, Invoice Grand Total,इनवॉइस ग्रैंड टोटल, Last carbon check date cannot be a future date,अंतिम कार्बन जांच की तारीख भविष्य की तारीख नहीं हो सकती, @@ -3920,7 +3915,6 @@ Plaid authentication error,प्लेड प्रमाणीकरण त् Plaid public token error,प्लेड पब्लिक टोकन एरर, Plaid transactions sync error,प्लेड ट्रांजेक्शन सिंक एरर, Please check the error log for details about the import errors,कृपया आयात त्रुटियों के बारे में विवरण के लिए त्रुटि लॉग की जांच करें, -Please click on the following link to set your new password,अपना नया पासवर्ड सेट करने के लिए नीचे दिए गए लिंक पर क्लिक करें, Please create DATEV Settings for Company {}.,कृपया कंपनी {} के लिए DATEV सेटिंग बनाएं।, Please create adjustment Journal Entry for amount {0} ,कृपया राशि {0} के लिए समायोजन जर्नल प्रविष्टि बनाएँ, Please do not create more than 500 items at a time,कृपया एक बार में 500 से अधिक आइटम न बनाएं, @@ -4043,7 +4037,6 @@ Search results for,के लिए खोज परिणाम, Select All,सभी का चयन, Select Difference Account,अंतर खाता चुनें, Select a Default Priority.,एक डिफ़ॉल्ट प्राथमिकता चुनें।, -Select a Supplier from the Default Supplier List of the items below.,नीचे दी गई वस्तुओं की डिफ़ॉल्ट आपूर्तिकर्ता सूची से एक आपूर्तिकर्ता का चयन करें।, Select a company,एक कंपनी का चयन करें, Select finance book for the item {0} at row {1},पंक्ति {1} पर आइटम {0} के लिए वित्त पुस्तक चुनें, Select only one Priority as Default.,डिफ़ॉल्ट के रूप में केवल एक प्राथमिकता का चयन करें।, @@ -4247,7 +4240,6 @@ Yes,हाँ, Actual ,वास्तविक, Add to cart,कार्ट में जोड़ें, Budget,बजट, -Chart Of Accounts Importer,लेखा आयातक का चार्ट, Chart of Accounts,लेखा जोखा का व्यौरा, Customer database.,ग्राहक डेटाबेस।, Days Since Last order,दिनों से पिछले आदेश, @@ -4939,7 +4931,6 @@ Closing Account Head,बंद लेखाशीर्ष, POS Customer Group,पीओएस ग्राहक समूह, POS Field,पीओएस फील्ड, POS Item Group,पीओएस मद समूह, -[Select],[ चुनें ], Company Address,कंपनी का पता, Update Stock,स्टॉक अद्यतन, Ignore Pricing Rule,मूल्य निर्धारण नियम की अनदेखी, @@ -6597,11 +6588,6 @@ Relieving Date,तिथि राहत, Reason for Leaving,छोड़ने के लिए कारण, Leave Encashed?,भुनाया छोड़ दो?, Encashment Date,नकदीकरण तिथि, -Exit Interview Details,साक्षात्कार विवरण से बाहर निकलें, -Held On,पर Held, -Reason for Resignation,इस्तीफे का कारण, -Better Prospects,बेहतर संभावनाओं, -Health Concerns,स्वास्थ्य चिंताएं, New Workplace,नए कार्यस्थल, HR-EAD-.YYYY.-,मानव संसाधन-EAD-.YYYY.-, Returned Amount,लौटाई गई राशि, @@ -8237,9 +8223,6 @@ Landed Cost Help,उतरा लागत सहायता, Manufacturers used in Items,वस्तुओं में इस्तेमाल किया निर्माता, Limited to 12 characters,12 अक्षरों तक सीमित, MAT-MR-.YYYY.-,मेट-एमआर .YYYY.-, -Set Warehouse,वेयरहाउस सेट करें, -Sets 'For Warehouse' in each row of the Items table.,आइटम तालिका की प्रत्येक पंक्ति में 'वेयरहाउस के लिए' सेट करता है।, -Requested For,के लिए अनुरोध, Partially Ordered,आंशिक रूप से आदेश दिया गया, Transferred,का तबादला, % Ordered,% का आदेश दिया, @@ -8688,8 +8671,6 @@ Material Request Warehouse,माल अनुरोध गोदाम, Select warehouse for material requests,भौतिक अनुरोधों के लिए वेयरहाउस का चयन करें, Transfer Materials For Warehouse {0},गोदाम {0} के लिए स्थानांतरण सामग्री, Production Plan Material Request Warehouse,उत्पादन योजना सामग्री अनुरोध गोदाम, -Set From Warehouse,वेयरहाउस से सेट करें, -Source Warehouse (Material Transfer),स्रोत वेयरहाउस (सामग्री स्थानांतरण), Sets 'Source Warehouse' in each row of the items table.,आइटम तालिका की प्रत्येक पंक्ति में 'स्रोत वेयरहाउस' सेट करता है।, Sets 'Target Warehouse' in each row of the items table.,आइटम तालिका की प्रत्येक पंक्ति में 'लक्ष्य वेयरहाउस' सेट करता है।, Show Cancelled Entries,रद्द प्रविष्टियाँ दिखाएँ, @@ -9155,7 +9136,6 @@ Professional Tax,वृत्ति कर, Is Income Tax Component,इनकम टैक्स कंपोनेंट है, Component properties and references ,घटक गुण और संदर्भ, Additional Salary ,अतिरिक्त वेतन, -Condtion and formula,संक्षेपण और सूत्र, Unmarked days,अचिंतित दिन, Absent Days,अनुपस्थित दिन, Conditions and Formula variable and example,शर्तें और सूत्र चर और उदाहरण, @@ -9442,7 +9422,6 @@ Plaid invalid request error,अमान्य अनुरोध त्रु Please check your Plaid client ID and secret values,कृपया अपने प्लेड क्लाइंट आईडी और गुप्त मूल्यों की जाँच करें, Bank transaction creation error,बैंक लेनदेन निर्माण त्रुटि, Unit of Measurement,माप की इकाई, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},"पंक्ति # {}: आइटम {} के लिए विक्रय दर, इसके {} से कम है। विक्रय दर कम से कम {} होनी चाहिए", Fiscal Year {0} Does Not Exist,वित्तीय वर्ष {0} का अस्तित्व नहीं है, Row # {0}: Returned Item {1} does not exist in {2} {3},पंक्ति # {0}: लौटाई गई वस्तु {1} {2} {3} में मौजूद नहीं है, Valuation type charges can not be marked as Inclusive,मूल्यांकन प्रकार के आरोपों को समावेशी के रूप में चिह्नित नहीं किया जा सकता है, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,पंक् Response Time for {0} priority in row {1} can't be greater than Resolution Time.,{0} प्राथमिकता के लिए पंक्ति {1} में प्रतिक्रिया का समय रिज़ॉल्यूशन समय से अधिक नहीं हो सकता है।, {0} is not enabled in {1},{0} {1} में सक्षम नहीं है, Group by Material Request,सामग्री अनुरोध द्वारा समूह, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","पंक्ति {0}: आपूर्तिकर्ता {0} के लिए, ईमेल पता ईमेल भेजने के लिए आवश्यक है", Email Sent to Supplier {0},आपूर्तिकर्ता को ईमेल भेजा गया {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","पोर्टल से कोटेशन के लिए अनुरोध तक पहुँच अक्षम है। एक्सेस की अनुमति देने के लिए, इसे पोर्टल सेटिंग्स में सक्षम करें।", Supplier Quotation {0} Created,आपूर्तिकर्ता उद्धरण {0} बनाया गया, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},निर्धारि Account {0} exists in parent company {1}.,खाता {0} मूल कंपनी में मौजूद है {1}।, "To overrule this, enable '{0}' in company {1}","इसे पूरा करने के लिए, '{0}' को कंपनी {1} में सक्षम करें", Invalid condition expression,अमान्य स्थिति अभिव्यक्ति, +Please Select a Company First,कृपया पहले एक कंपनी चुनें, +Please Select Both Company and Party Type First,कृपया कंपनी और पार्टी दोनों प्रकार का चयन करें, +Provide the invoice portion in percent,प्रतिशत में चालान भाग प्रदान करें, +Give number of days according to prior selection,पूर्व चयन के अनुसार दिनों की संख्या दें, +Email Details,ईमेल विवरण, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","रिसीवर के लिए एक ग्रीटिंग का चयन करें। जैसे श्री, सुश्री, आदि।", +Preview Email,ईमेल का पूर्वावलोकन करें, +Please select a Supplier,कृपया एक आपूर्तिकर्ता का चयन करें, +Supplier Lead Time (days),आपूर्तिकर्ता लीड समय (दिन), +"Home, Work, etc.","घर, काम, आदि।", +Exit Interview Held On,साक्षात्कार से बाहर निकलें, +Condition and formula,स्थिति और सूत्र, +Sets 'Target Warehouse' in each row of the Items table.,आइटम तालिका की प्रत्येक पंक्ति में 'लक्ष्य वेयरहाउस' सेट करता है।, +Sets 'Source Warehouse' in each row of the Items table.,आइटम तालिका की प्रत्येक पंक्ति में 'स्रोत वेयरहाउस' सेट करता है।, +POS Register,पीओएस रजिस्टर, +"Can not filter based on POS Profile, if grouped by POS Profile","पीओएस प्रोफ़ाइल के आधार पर फ़िल्टर नहीं किया जा सकता है, अगर पीओएस प्रोफ़ाइल द्वारा समूहीकृत किया गया हो", +"Can not filter based on Customer, if grouped by Customer","यदि ग्राहक द्वारा समूहीकृत किया गया है, तो ग्राहक के आधार पर फ़िल्टर नहीं किया जा सकता है", +"Can not filter based on Cashier, if grouped by Cashier","कैशियर के आधार पर फ़िल्टर नहीं किया जा सकता है, यदि कैशियर द्वारा समूहीकृत किया गया है", +Payment Method,भुगतान का तरीका, +"Can not filter based on Payment Method, if grouped by Payment Method","यदि भुगतान विधि द्वारा समूहीकृत किया गया है, तो भुगतान विधि के आधार पर फ़िल्टर नहीं किया जा सकता है", +Supplier Quotation Comparison,आपूर्तिकर्ता उद्धरण तुलना, +Price per Unit (Stock UOM),मूल्य प्रति यूनिट (स्टॉक यूओएम), +Group by Supplier,आपूर्तिकर्ता द्वारा समूह, +Group by Item,आइटम द्वारा समूह, +Remember to set {field_label}. It is required by {regulation}.,{फ़ील्ड_लैब} सेट करना याद रखें। यह {विनियमन} द्वारा आवश्यक है।, +Enrollment Date cannot be before the Start Date of the Academic Year {0},नामांकन तिथि शैक्षणिक वर्ष की शुरुआत तिथि {0} से पहले नहीं हो सकती है, +Enrollment Date cannot be after the End Date of the Academic Term {0},नामांकन तिथि शैक्षणिक अवधि की अंतिम तिथि के बाद नहीं हो सकती {{}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},नामांकन तिथि शैक्षणिक अवधि के प्रारंभ दिनांक से पहले नहीं हो सकती {0}, +Posting future transactions are not allowed due to Immutable Ledger,भविष्य के लेन-देन को अपरिवर्तनीय लेजर के कारण पोस्ट करने की अनुमति नहीं है, +Future Posting Not Allowed,भविष्य पोस्टिंग अनुमति नहीं है, +"To enable Capital Work in Progress Accounting, ","प्रगति लेखा में पूंजी कार्य को सक्षम करने के लिए,", +you must select Capital Work in Progress Account in accounts table,आपको अकाउंट टेबल में प्रोग्रेस अकाउंट में कैपिटल वर्क का चयन करना होगा, +You can also set default CWIP account in Company {},आप कंपनी {} में डिफ़ॉल्ट सीडब्ल्यूआईपी खाता भी सेट कर सकते हैं, +The Request for Quotation can be accessed by clicking on the following button,निम्नलिखित बटन पर क्लिक करके कोटेशन के लिए अनुरोध तक पहुँचा जा सकता है, +Regards,सादर, +Please click on the following button to set your new password,अपना नया पासवर्ड सेट करने के लिए कृपया निम्नलिखित बटन पर क्लिक करें, +Update Password,पासवर्ड अपडेट करें, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},"पंक्ति # {}: वस्तु {} के लिए विक्रय दर, इसके {} से कम है। {} बेचना कम से कम {} होना चाहिए", +You can alternatively disable selling price validation in {} to bypass this validation.,आप वैकल्पिक रूप से इस मान्यता को दरकिनार करने के लिए {} में विक्रय सत्यापन को अक्षम कर सकते हैं।, +Invalid Selling Price,अवैध विक्रय मूल्य, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,पता किसी कंपनी से जुड़ा होना चाहिए। कृपया लिंक तालिका में कंपनी के लिए एक पंक्ति जोड़ें।, +Company Not Linked,कंपनी लिंक नहीं है, +Import Chart of Accounts from CSV / Excel files,CSV / Excel फ़ाइलों से खातों का आयात चार्ट, +Completed Qty cannot be greater than 'Qty to Manufacture',पूर्ण मात्रा 'Qty to Manufacturing' से बड़ी नहीं हो सकती, +"Row {0}: For Supplier {1}, Email Address is Required to send an email","पंक्ति {0}: आपूर्तिकर्ता {1} के लिए, ईमेल पता ईमेल भेजने के लिए आवश्यक है", diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv index c54de75b77..323156b18f 100644 --- a/erpnext/translations/hr.csv +++ b/erpnext/translations/hr.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Punjenje tipa Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,Optužbe su ažurirani u KUPNJE protiv svake stavke, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Troškovi će se distribuirati proporcionalno na temelju točke kom ili iznos, kao i po svom izboru", -Chart Of Accounts,Kontni plan, Chart of Cost Centers,Grafikon troškovnih centara, Check all,Provjeri sve, Checkout,Provjeri, @@ -581,7 +580,6 @@ Company {0} does not exist,Tvrtka {0} ne postoji, Compensatory Off,kompenzacijski Off, Compensatory leave request days not in valid holidays,Doplativi dopusti za dane naplate nisu u važećem odmoru, Complaint,prigovor, -Completed Qty can not be greater than 'Qty to Manufacture',Završen Qty ne može biti veći od 'Kol proizvoditi', Completion Date,Završetak Datum, Computer,Računalo, Condition,Stanje, @@ -2033,7 +2031,6 @@ Please select Category first,Molimo odaberite kategoriju prvi, Please select Charge Type first,Odaberite Naknada za prvi, Please select Company,Odaberite tvrtke, Please select Company and Designation,Odaberite Tvrtka i Oznaka, -Please select Company and Party Type first,Odaberite Društvo i Zabava Tip prvi, Please select Company and Posting Date to getting entries,Odaberite unos za tvrtku i datum knjiženja, Please select Company first,Odaberite tvrtka prvi, Please select Completion Date for Completed Asset Maintenance Log,Molimo odaberite Datum završetka za Dovršeni dnevnik održavanja imovine, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Ime institut The name of your company for which you are setting up this system.,Ime vaše tvrtke za koje ste postavljanje ovog sustava ., The number of shares and the share numbers are inconsistent,Broj dionica i brojeva udjela nedosljedni su, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Račun za gateway plaćanja u planu {0} se razlikuje od računa za pristupnik plaćanja u ovom zahtjevu za plaćanje, -The request for quotation can be accessed by clicking on the following link,Zahtjev za ponudu se može pristupiti klikom na sljedeći link, The selected BOMs are not for the same item,Odabrane sastavnice nisu za istu stavku, The selected item cannot have Batch,Izabrani predmet ne može imati Hrpa, The seller and the buyer cannot be the same,Prodavatelj i kupac ne mogu biti isti, @@ -3543,7 +3539,6 @@ Company GSTIN,Tvrtka GSTIN, Company field is required,Polje tvrtke je obavezno, Creating Dimensions...,Izrada dimenzija ..., Duplicate entry against the item code {0} and manufacturer {1},Duplikat unosa sa šifrom artikla {0} i proizvođačem {1}, -Import Chart Of Accounts from CSV / Excel files,Uvezi račun s računa iz CSV / Excel datoteka, 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! Uneseni unos ne odgovara formatu GSTIN za vlasnike UIN-a ili nerezidentne davatelje usluga OIDAR-a, Invoice Grand Total,Faktura ukupno, Last carbon check date cannot be a future date,Posljednji datum provjere ugljika ne može biti budući datum, @@ -3920,7 +3915,6 @@ Plaid authentication error,Greška provjere autentičnosti, Plaid public token error,Pogreška javnog tokena u obliku video zapisa, Plaid transactions sync error,Pogreška sinkronizacije plaidnih transakcija, Please check the error log for details about the import errors,Provjerite dnevnik pogrešaka za detalje o uvoznim pogreškama, -Please click on the following link to set your new password,Molimo kliknite na sljedeći link kako bi postavili novu lozinku, Please create DATEV Settings for Company {}.,Izradite DATEV postavke za tvrtku {} ., Please create adjustment Journal Entry for amount {0} ,Napravite unos prilagodbe u časopisu za iznos {0}, Please do not create more than 500 items at a time,Ne stvarajte više od 500 predmeta odjednom, @@ -4043,7 +4037,6 @@ Search results for,Rezultati pretrage za, Select All,Odaberite sve, Select Difference Account,Odaberite račun razlike, Select a Default Priority.,Odaberite zadani prioritet., -Select a Supplier from the Default Supplier List of the items below.,Odaberite dobavljača sa zadanog popisa dobavljača dolje navedenih stavki., Select a company,Odaberite tvrtku, Select finance book for the item {0} at row {1},Odaberite knjigu financija za stavku {0} u retku {1}, Select only one Priority as Default.,Odaberite samo jedan prioritet kao zadani., @@ -4247,7 +4240,6 @@ Yes,Da, Actual ,stvaran, Add to cart,Dodaj u košaricu, Budget,budžet, -Chart Of Accounts Importer,Uvoznik računa računa, Chart of Accounts,Kontni plan, Customer database.,Baza podataka korisnika., Days Since Last order,Dana od posljednje narudžbe, @@ -4939,7 +4931,6 @@ Closing Account Head,Zatvaranje računa šefa, POS Customer Group,POS Korisnička Grupa, POS Field,POS polje, POS Item Group,POS Točka Grupa, -[Select],[Odaberi], Company Address,adresa tvrtke, Update Stock,Ažuriraj zalihe, Ignore Pricing Rule,Ignorirajte Cijene pravilo, @@ -6597,11 +6588,6 @@ Relieving Date,Rasterećenje Datum, Reason for Leaving,Razlog za odlazak, Leave Encashed?,Odsustvo naplaćeno?, Encashment Date,Encashment Datum, -Exit Interview Details,Izlaz Intervju Detalji, -Held On,Održanoj, -Reason for Resignation,Razlog za ostavku, -Better Prospects,Bolji izgledi, -Health Concerns,Zdravlje Zabrinutost, New Workplace,Novo radno mjesto, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Povratni iznos, @@ -8237,9 +8223,6 @@ Landed Cost Help,Zavisni troškovi - Pomoć, Manufacturers used in Items,Proizvođači se koriste u stavkama, Limited to 12 characters,Ograničiti na 12 znakova, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Postavite skladište, -Sets 'For Warehouse' in each row of the Items table.,Postavlja "Za skladište" u svakom retku tablice Predmeti., -Requested For,Traženi Za, Partially Ordered,Djelomično uređeno, Transferred,prebačen, % Ordered,% Naručeno, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Skladište zahtjeva za materijal, Select warehouse for material requests,Odaberite skladište za zahtjeve za materijalom, Transfer Materials For Warehouse {0},Prijenos materijala za skladište {0}, Production Plan Material Request Warehouse,Skladište zahtjeva za planom proizvodnje, -Set From Warehouse,Postavljeno iz skladišta, -Source Warehouse (Material Transfer),Izvorno skladište (prijenos materijala), Sets 'Source Warehouse' in each row of the items table.,Postavlja 'Izvorno skladište' u svaki redak tablice stavki., Sets 'Target Warehouse' in each row of the items table.,Postavlja 'Ciljano skladište' u svaki redak tablice stavki., Show Cancelled Entries,Prikaži otkazane unose, @@ -9155,7 +9136,6 @@ Professional Tax,Porez na struku, Is Income Tax Component,Je komponenta poreza na dohodak, Component properties and references ,Svojstva i reference komponenata, Additional Salary ,Dodatna plaća, -Condtion and formula,Stanje i formula, Unmarked days,Neoznačeni dani, Absent Days,Dani odsutnosti, Conditions and Formula variable and example,Uvjeti i varijabla formule i primjer, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Pogreška nevažećeg zahtjeva za karirano, Please check your Plaid client ID and secret values,Molimo provjerite svoj ID klijenta i tajne vrijednosti, Bank transaction creation error,Pogreška pri stvaranju bankovne transakcije, Unit of Measurement,Jedinica mjere, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Redak {{}: Stopa prodaje stavke {} niža je od {}. Stopa prodaje trebala bi biti najmanje {}, Fiscal Year {0} Does Not Exist,Fiskalna godina {0} ne postoji, Row # {0}: Returned Item {1} does not exist in {2} {3},Redak {0}: Vraćena stavka {1} ne postoji u {2} {3}, Valuation type charges can not be marked as Inclusive,Naknade vrste procjene ne mogu se označiti kao Uključujuće, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Postavite vri Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Vrijeme odziva za {0} prioritet u retku {1} ne može biti veće od vremena razlučivanja., {0} is not enabled in {1},{0} nije omogućen u {1}, Group by Material Request,Grupiraj prema zahtjevu za materijal, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Redak {0}: Za dobavljača {0} adresa e-pošte potrebna je za slanje e-pošte, Email Sent to Supplier {0},E-pošta poslana dobavljaču {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Pristup zahtjevu za ponudu s portala je onemogućen. Da biste omogućili pristup, omogućite ga u postavkama portala.", Supplier Quotation {0} Created,Ponuda dobavljača {0} Izrađena, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Ukupna dodijeljena težina Account {0} exists in parent company {1}.,Račun {0} postoji u matičnoj tvrtki {1}., "To overrule this, enable '{0}' in company {1}","Da biste to poništili, omogućite "{0}" u tvrtki {1}", Invalid condition expression,Nevažeći izraz stanja, +Please Select a Company First,Prvo odaberite tvrtku, +Please Select Both Company and Party Type First,Molimo odaberite prvo vrstu tvrtke i stranke, +Provide the invoice portion in percent,Dio fakture navedite u postocima, +Give number of days according to prior selection,Navedite broj dana prema prethodnom odabiru, +Email Details,Pojedinosti e-pošte, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Odaberite pozdrav za slušalicu. Npr. Gospodin, gospođa itd.", +Preview Email,Pregled e-pošte, +Please select a Supplier,Molimo odaberite dobavljača, +Supplier Lead Time (days),Vrijeme isporuke dobavljača (dana), +"Home, Work, etc.","Kuća, posao itd.", +Exit Interview Held On,Izlazni intervju održan, +Condition and formula,Stanje i formula, +Sets 'Target Warehouse' in each row of the Items table.,Postavlja 'Ciljano skladište' u svaki redak tablice Stavke., +Sets 'Source Warehouse' in each row of the Items table.,Postavlja 'Izvorno skladište' u svaki redak tablice Stavke., +POS Register,POS registar, +"Can not filter based on POS Profile, if grouped by POS Profile",Ne može se filtrirati na temelju POS profila ako je grupirano po POS profilu, +"Can not filter based on Customer, if grouped by Customer",Ne može se filtrirati na temelju kupca ako ga je grupirao kupac, +"Can not filter based on Cashier, if grouped by Cashier","Ne može se filtrirati na temelju blagajne, ako je grupirana po blagajni", +Payment Method,Način plaćanja, +"Can not filter based on Payment Method, if grouped by Payment Method",Nije moguće filtrirati na temelju načina plaćanja ako je grupirano prema načinu plaćanja, +Supplier Quotation Comparison,Usporedba ponuda dobavljača, +Price per Unit (Stock UOM),Cijena po jedinici (dionica UOM), +Group by Supplier,Grupiraj prema dobavljaču, +Group by Item,Grupiraj po stavkama, +Remember to set {field_label}. It is required by {regulation}.,Ne zaboravite postaviti {field_label}. To zahtijeva {propis}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Datum upisa ne može biti prije datuma početka akademske godine {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Datum upisa ne može biti nakon datuma završetka akademskog roka {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Datum upisa ne može biti prije datuma početka akademskog roka {0}, +Posting future transactions are not allowed due to Immutable Ledger,Knjiženje budućih transakcija nije dopušteno zbog Nepromjenjive knjige, +Future Posting Not Allowed,Objavljivanje u budućnosti nije dozvoljeno, +"To enable Capital Work in Progress Accounting, ","Da biste omogućili računovodstvo kapitalnog rada u tijeku,", +you must select Capital Work in Progress Account in accounts table,u tablici računa morate odabrati račun kapitalnog rada u tijeku, +You can also set default CWIP account in Company {},Također možete postaviti zadani CWIP račun u tvrtki {}, +The Request for Quotation can be accessed by clicking on the following button,Zahtjevu za ponudu možete pristupiti klikom na sljedeći gumb, +Regards,Pozdrav, +Please click on the following button to set your new password,Kliknite sljedeći gumb za postavljanje nove lozinke, +Update Password,Ažuriraj lozinku, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Redak {{}: Stopa prodaje stavke {} niža je od {}. Prodaja {} trebala bi biti najmanje {}, +You can alternatively disable selling price validation in {} to bypass this validation.,Alternativno možete onemogućiti provjeru prodajne cijene u {} da biste zaobišli ovu provjeru., +Invalid Selling Price,Nevažeća prodajna cijena, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Adresa mora biti povezana s tvrtkom. U tablici veza dodajte redak za tvrtku., +Company Not Linked,Tvrtka nije povezana, +Import Chart of Accounts from CSV / Excel files,Uvoz kontnog plana iz CSV / Excel datoteka, +Completed Qty cannot be greater than 'Qty to Manufacture',Završena količina ne može biti veća od „Količina za proizvodnju“, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",Redak {0}: Za dobavljača {1} adresa e-pošte potrebna je za slanje e-pošte, diff --git a/erpnext/translations/hu.csv b/erpnext/translations/hu.csv index ff361b8128..16248873a6 100644 --- a/erpnext/translations/hu.csv +++ b/erpnext/translations/hu.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,{0} sorban az Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,Díjak frissülnek a vásárláskor kapott nyugtán a tételek szerint, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Díjak arányosan kerülnek kiosztásra a tétel mennyiség vagy összegei alapján, a kiválasztása szerint", -Chart Of Accounts,Számlatükör, Chart of Cost Centers,Költséghelyek listája, Check all,Összes ellenőrzése, Checkout,kijelentkezés, @@ -581,7 +580,6 @@ Company {0} does not exist,Vállalkozás {0} nem létezik, Compensatory Off,Kompenzációs ki, Compensatory leave request days not in valid holidays,Korengedményes szabadságnapok nem az érvényes ünnepnapokon, Complaint,Panasz, -Completed Qty can not be greater than 'Qty to Manufacture',"Befejezett Menny nem lehet nagyobb, mint 'Gyártandó Menny'", Completion Date,teljesítési dátum, Computer,Számítógép, Condition,Feltétel, @@ -2033,7 +2031,6 @@ Please select Category first,"Kérjük, válasszon Kategóriát először", Please select Charge Type first,"Kérjük, válasszon Terhelés típust először", Please select Company,"Kérjük, válasszon Vállalkozást először", Please select Company and Designation,"Kérjük, válassza a Vállalkozást és a Titulus lehetőséget", -Please select Company and Party Type first,"Kérjük, válasszon Vállalkozást és Ügyfél típust először", Please select Company and Posting Date to getting entries,A bejegyzések beírásához válassza a Cég és a rögzítés dátuma lehetőséget, Please select Company first,"Kérjük, válasszon Vállalkozást először", Please select Completion Date for Completed Asset Maintenance Log,"Kérem, válassza ki a befejezés dátumát a Befejezett Vagyontárgy gazdálkodási naplóhoz", @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Az intézmé The name of your company for which you are setting up this system.,"A vállalkozásának a neve, amelyre ezt a rendszert beállítja.", The number of shares and the share numbers are inconsistent,A részvények száma és a részvények számozása nem konzisztens, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,A {0} tervezett fizetési átjáró-fiók eltér a fizetési átjáró fiókjában ebben a fizetési kérelemben, -The request for quotation can be accessed by clicking on the following link,Az ajánlatkérés elérhető a következő linkre kattintással, The selected BOMs are not for the same item,A kiválasztott darabjegyzékeket nem ugyanarra a tételre, The selected item cannot have Batch,A kiválasztott elemnek nem lehet Kötege, The seller and the buyer cannot be the same,Eladó és a vevő nem lehet ugyanaz, @@ -3543,7 +3539,6 @@ Company GSTIN,Vállalkozás GSTIN, Company field is required,A vállalati mező kitöltése kötelező, Creating Dimensions...,Méretek létrehozása ..., Duplicate entry against the item code {0} and manufacturer {1},Másolatos bejegyzés a {0} cikkszámhoz és a {1} gyártóhoz, -Import Chart Of Accounts from CSV / Excel files,Fióktelep importálása CSV / Excel fájlokból, 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 beírt adat nem felel meg a GSTIN formátumnak az UIN-tulajdonosok vagy a nem rezidens OIDAR szolgáltatók esetében, Invoice Grand Total,Összesen számla, 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, @@ -3920,7 +3915,6 @@ Plaid authentication error,Kockás hitelesítési hiba, Plaid public token error,Nyilvános nyilvános token hiba, Plaid transactions sync error,Kockás tranzakciók szinkronizálási hibája, Please check the error log for details about the import errors,Ellenőrizze a hibanaplót az importálási hibák részleteivel kapcsolatban, -Please click on the following link to set your new password,"Kérjük, kattintson az alábbi linkre, az új jelszó beállításához", Please create DATEV Settings for Company {}.,"Kérjük, hozzon létre DATEV beállításokat a (z) {} vállalat számára .", Please create adjustment Journal Entry for amount {0} ,"Kérjük, hozzon létre korrekciós naplóbejegyzést a (z) {0} összeghez", Please do not create more than 500 items at a time,"Kérjük, ne hozzon létre egynél több 500 elemet", @@ -4043,7 +4037,6 @@ Search results for,Keressen eredményeket erre, Select All,Mindent kijelöl, Select Difference Account,Válassza a Különbség fiókot, Select a Default Priority.,Válasszon alapértelmezett prioritást., -Select a Supplier from the Default Supplier List of the items below.,Válasszon szállítót az alábbi tételek alapértelmezett szállító listájából., Select a company,Válasszon társaságot, Select finance book for the item {0} at row {1},Válassza ki a {0} tétel pénzügyi könyvét a (z) {1} sorban, Select only one Priority as Default.,Csak egy prioritást válasszon alapértelmezésként., @@ -4247,7 +4240,6 @@ Yes,Igen, Actual ,Tényleges, Add to cart,Adja a kosárhoz, Budget,Költségkeret, -Chart Of Accounts Importer,Számlakezelő importőr, Chart of Accounts,Számlatükör, Customer database.,Ügyféladatbázis., Days Since Last order,Utolsó rendeléstől eltel napok, @@ -4939,7 +4931,6 @@ Closing Account Head,Záró fiók vezetője, POS Customer Group,POS Vásárlói csoport, POS Field,POS mező, POS Item Group,POS tétel csoport, -[Select],[Válasszon], Company Address,Vállalkozás címe, Update Stock,Készlet frissítése, Ignore Pricing Rule,Árképzési szabály figyelmen kívül hagyása, @@ -6597,11 +6588,6 @@ Relieving Date,Tehermentesítés dátuma, Reason for Leaving,Kilépés indoka, Leave Encashed?,Távollét beváltása?, Encashment Date,Beváltás dátuma, -Exit Interview Details,Interjú részleteiből kilépés, -Held On,Tartott, -Reason for Resignation,Felmondás indoka, -Better Prospects,Jobb kilátások, -Health Concerns,Egészségügyi problémák, New Workplace,Új munkahely, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Visszatérített összeg, @@ -8237,9 +8223,6 @@ Landed Cost Help,Beszerzési költség Súgó, Manufacturers used in Items,Gyártókat használt ebben a tételekben, Limited to 12 characters,12 karakterre korlátozva, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,A Warehouse beállítása, -Sets 'For Warehouse' in each row of the Items table.,Beállítja a „For Warehouse” elemet az Elemek táblázat minden sorában., -Requested For,Igény erre, Partially Ordered,Részben megrendelt, Transferred,Átvitt, % Ordered,% Rendezve, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Anyagigény-raktár, Select warehouse for material requests,Válassza ki a raktárt az anyagkérésekhez, Transfer Materials For Warehouse {0},Anyagok átadása raktárhoz {0}, Production Plan Material Request Warehouse,Termelési terv Anyagigény-raktár, -Set From Warehouse,Készlet a raktárból, -Source Warehouse (Material Transfer),Forrásraktár (anyagátadás), Sets 'Source Warehouse' in each row of the items table.,Az elemtábla minden sorában beállítja a „Forrásraktár” elemet., Sets 'Target Warehouse' in each row of the items table.,Az elemtábla minden sorában beállítja a „Célraktár” elemet., Show Cancelled Entries,A törölt bejegyzések megjelenítése, @@ -9155,7 +9136,6 @@ Professional Tax,Szakmai adó, Is Income Tax Component,A jövedelemadó-összetevő, Component properties and references ,Az alkatrészek tulajdonságai és hivatkozásai, Additional Salary ,További fizetés, -Condtion and formula,Feltétel és képlet, Unmarked days,Jelöletlen napok, Absent Days,Hiányzó napok, Conditions and Formula variable and example,Feltételek és Formula változó és példa, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Érvénytelen kérés hiba, Please check your Plaid client ID and secret values,"Kérjük, ellenőrizze Plaid kliens azonosítóját és titkos értékeit", Bank transaction creation error,Banki tranzakció létrehozási hiba, Unit of Measurement,Mértékegység, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},"{}. Sor: A (z) {} elem értékesítési aránya alacsonyabb, mint a (z) {}. Az eladási árfolyamnak legalább {}", Fiscal Year {0} Does Not Exist,Pénzügyi év {0} nem létezik, Row # {0}: Returned Item {1} does not exist in {2} {3},{0}. Sor: A (z) {1} visszaküldött tétel nem létezik itt: {2} {3}, Valuation type charges can not be marked as Inclusive,Az értékelési típusú díjak nem jelölhetők befogadónak, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Állítsa be Response Time for {0} priority in row {1} can't be greater than Resolution Time.,"A {0} {1}. Sor prioritásának válaszideje nem lehet hosszabb, mint a felbontási idő.", {0} is not enabled in {1},A (z) {0} nincs engedélyezve itt: {1}, Group by Material Request,Anyagigény szerinti csoportosítás, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",{0} sor: A szállító {0} esetében e-mail cím szükséges az e-mail küldéséhez, Email Sent to Supplier {0},E-mail elküldve a beszállítónak {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",A portálról történő ajánlatkéréshez való hozzáférés le van tiltva. A hozzáférés engedélyezéséhez engedélyezze a Portal beállításai között., Supplier Quotation {0} Created,Beszállítói ajánlat {0} létrehozva, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},A teljes hozzárendelt sú Account {0} exists in parent company {1}.,A {0} fiók létezik az anyavállalatnál {1}., "To overrule this, enable '{0}' in company {1}",Ennek felülbírálásához engedélyezze a (z) „{0}” lehetőséget a vállalatnál {1}, Invalid condition expression,Érvénytelen feltétel kifejezés, +Please Select a Company First,"Kérjük, először válasszon egy vállalatot", +Please Select Both Company and Party Type First,"Kérjük, először válassza a Vállalat és a Buli típusát", +Provide the invoice portion in percent,Adja meg a számla részét százalékban, +Give number of days according to prior selection,Adja meg a napok számát az előzetes kiválasztás szerint, +Email Details,E-mail részletei, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Válasszon üdvözletet a vevőnek. Pl. Mr., Ms., stb.", +Preview Email,E-mail előnézete, +Please select a Supplier,"Kérjük, válasszon szállítót", +Supplier Lead Time (days),Szállítói leadási idő (nap), +"Home, Work, etc.","Otthon, Munkahely stb.", +Exit Interview Held On,Kilépés az interjúból tartott, +Condition and formula,Feltétel és képlet, +Sets 'Target Warehouse' in each row of the Items table.,Beállítja a „Célraktár” elemet az Elemek táblázat minden sorában., +Sets 'Source Warehouse' in each row of the Items table.,Beállítja a „Forrásraktár” elemet az Elemek táblázat minden sorában., +POS Register,POS regisztráció, +"Can not filter based on POS Profile, if grouped by POS Profile","Nem lehet POS-profil alapján szűrni, ha POS-profil szerint van csoportosítva", +"Can not filter based on Customer, if grouped by Customer","Nem lehet az Ügyfél alapján szűrni, ha az Ügyfél csoportosítja", +"Can not filter based on Cashier, if grouped by Cashier","Nem lehet pénztár alapján szűrni, ha pénztáros csoportosítja", +Payment Method,Fizetési mód, +"Can not filter based on Payment Method, if grouped by Payment Method","Nem lehet a Fizetési mód alapján szűrni, ha Fizetési mód szerint van csoportosítva", +Supplier Quotation Comparison,Beszállítói ajánlat összehasonlítása, +Price per Unit (Stock UOM),Egységár (készlet UOM), +Group by Supplier,Szállító szerint csoportosítva, +Group by Item,Csoportosítás tételenként, +Remember to set {field_label}. It is required by {regulation}.,Ne felejtse el beállítani a {field_label} mezőt. A {rendelet} előírja., +Enrollment Date cannot be before the Start Date of the Academic Year {0},A beiratkozás dátuma nem lehet korábbi a tanév kezdési dátumánál {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},A beiratkozás dátuma nem lehet későbbi a tanulmányi időszak végének dátumánál {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},A beiratkozási dátum nem lehet korábbi a tanulmányi időszak kezdő dátumánál {0}, +Posting future transactions are not allowed due to Immutable Ledger,Jövőbeni tranzakciók könyvelése nem engedélyezhető az Immutable Ledger miatt, +Future Posting Not Allowed,A jövőbeni közzététel nem engedélyezett, +"To enable Capital Work in Progress Accounting, ",A tőkemunka folyamatban lévő könyvelésének engedélyezéséhez, +you must select Capital Work in Progress Account in accounts table,ki kell választania a Folyamatban lévő tőkemunka számlát a számlák táblázatban, +You can also set default CWIP account in Company {},Alapértelmezett CWIP-fiókot is beállíthat a Vállalatnál {}, +The Request for Quotation can be accessed by clicking on the following button,Az Ajánlatkérés a következő gombra kattintva érhető el, +Regards,Üdvözlettel, +Please click on the following button to set your new password,"Kérjük, kattintson a következő gombra az új jelszó beállításához", +Update Password,Jelszó frissítése, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},"{}. Sor: A (z) {} elem értékesítési aránya alacsonyabb, mint a (z) {}. A (z) {} értékesítésnek legalább {} legyen", +You can alternatively disable selling price validation in {} to bypass this validation.,"Alternatív megoldásként letilthatja az eladási ár érvényesítését itt: {}, hogy ezt az érvényesítést megkerülje.", +Invalid Selling Price,Érvénytelen eladási ár, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,"A címet társítani kell egy vállalathoz. Kérjük, adjon meg egy sort a Vállalat számára a Linkek táblában.", +Company Not Linked,A vállalat nincs összekapcsolva, +Import Chart of Accounts from CSV / Excel files,Számlatáblázat importálása CSV / Excel fájlokból, +Completed Qty cannot be greater than 'Qty to Manufacture',"Az elkészült mennyiség nem lehet nagyobb, mint a „gyártási mennyiség”", +"Row {0}: For Supplier {1}, Email Address is Required to send an email",{0} sor: A szállító {1} esetében e-mail címre van szükség az e-mail küldéséhez, diff --git a/erpnext/translations/id.csv b/erpnext/translations/id.csv index dae254b120..227f2e08ab 100644 --- a/erpnext/translations/id.csv +++ b/erpnext/translations/id.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Mengisi tipe Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,Ongkos dalam Nota Pembelian diperbarui terhadap setiap barang, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Biaya akan didistribusikan secara proporsional berdasarkan pada item qty atau jumlah, sesuai pilihan Anda", -Chart Of Accounts,Bagan Akun, Chart of Cost Centers,Bagan Pusat Biaya, Check all,Periksa semua, Checkout,Periksa, @@ -581,7 +580,6 @@ Company {0} does not exist,Perusahaan {0} tidak ada, Compensatory Off,Kompensasi Off, Compensatory leave request days not in valid holidays,Hari permintaan cuti kompensasi tidak dalam hari libur yang sah, Complaint,Keluhan, -Completed Qty can not be greater than 'Qty to Manufacture',Selesai Qty tidak dapat lebih besar dari 'Jumlah untuk Produksi', Completion Date,tanggal penyelesaian, Computer,Komputer, Condition,Kondisi, @@ -2033,7 +2031,6 @@ Please select Category first,Silahkan pilih Kategori terlebih dahulu, Please select Charge Type first,Silakan pilih Mengisi Tipe terlebih dahulu, Please select Company,Silakan pilih Perusahaan, Please select Company and Designation,Silakan pilih Perusahaan dan Penunjukan, -Please select Company and Party Type first,Silakan pilih Perusahaan dan Partai Jenis terlebih dahulu, Please select Company and Posting Date to getting entries,Silakan pilih Perusahaan dan Tanggal Posting untuk mendapatkan entri, Please select Company first,Silakan pilih Perusahaan terlebih dahulu, Please select Completion Date for Completed Asset Maintenance Log,Silakan pilih Tanggal Penyelesaian untuk Pemeriksaan Pemeliharaan Aset Selesai, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Nama lembaga The name of your company for which you are setting up this system.,Nama perusahaan Anda yang Anda sedang mengatur sistem ini., The number of shares and the share numbers are inconsistent,Jumlah saham dan jumlah saham tidak konsisten, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Akun gateway pembayaran dalam rencana {0} berbeda dari akun gateway pembayaran dalam permintaan pembayaran ini, -The request for quotation can be accessed by clicking on the following link,Permintaan untuk kutipan dapat diakses dengan mengklik link berikut, The selected BOMs are not for the same item,BOMs yang dipilih tidak untuk item yang sama, The selected item cannot have Batch,Item yang dipilih tidak dapat memiliki Batch, The seller and the buyer cannot be the same,Penjual dan pembeli tidak bisa sama, @@ -3543,7 +3539,6 @@ Company GSTIN,Perusahaan GSTIN, Company field is required,Bidang perusahaan wajib diisi, Creating Dimensions...,Membuat Dimensi ..., Duplicate entry against the item code {0} and manufacturer {1},Entri duplikat terhadap kode item {0} dan pabrikan {1}, -Import Chart Of Accounts from CSV / Excel files,Impor Bagan Akun dari file CSV / Excel, 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, Invoice Grand Total,Faktur Jumlah Total, Last carbon check date cannot be a future date,Tanggal pemeriksaan karbon terakhir tidak bisa menjadi tanggal di masa depan, @@ -3920,7 +3915,6 @@ Plaid authentication error,Kesalahan otentikasi kotak-kotak, Plaid public token error,Kesalahan token publik kotak-kotak, Plaid transactions sync error,Kesalahan sinkronisasi transaksi kotak-kotak, Please check the error log for details about the import errors,Silakan periksa log kesalahan untuk detail tentang kesalahan impor, -Please click on the following link to set your new password,Silahkan klik pada link berikut untuk mengatur password baru anda, Please create DATEV Settings for Company {}.,Harap buat Pengaturan DATEV untuk Perusahaan {} ., Please create adjustment Journal Entry for amount {0} ,Harap buat penyesuaian Entri Jurnal untuk jumlah {0}, Please do not create more than 500 items at a time,Tolong jangan membuat lebih dari 500 item sekaligus, @@ -4043,7 +4037,6 @@ Search results for,Hasil pencarian, Select All,Pilih semua, Select Difference Account,Pilih Perbedaan Akun, Select a Default Priority.,Pilih Prioritas Default., -Select a Supplier from the Default Supplier List of the items below.,Pilih Pemasok dari Daftar Pemasok Default untuk item di bawah ini., Select a company,Pilih perusahaan, Select finance book for the item {0} at row {1},Pilih buku keuangan untuk item {0} di baris {1}, Select only one Priority as Default.,Pilih hanya satu Prioritas sebagai Default., @@ -4247,7 +4240,6 @@ Yes,Ya, Actual ,Aktual, Add to cart,Tambahkan ke Keranjang Belanja, Budget,Anggaran belanja, -Chart Of Accounts Importer,Grafik Pengimpor Akun, Chart of Accounts,Bagan Akun, Customer database.,Database Pelanggan., Days Since Last order,Hari Sejak Pemesanan Terakhir, @@ -4939,7 +4931,6 @@ Closing Account Head,Penutupan Akun Kepala, POS Customer Group,POS Pelanggan Grup, POS Field,Bidang POS, POS Item Group,POS Barang Grup, -[Select],[Pilih], Company Address,Alamat perusahaan, Update Stock,Perbarui Persediaan, Ignore Pricing Rule,Abaikan Aturan Harga, @@ -6597,11 +6588,6 @@ Relieving Date,Menghilangkan Tanggal, Reason for Leaving,Alasan Meninggalkan, Leave Encashed?,Cuti dicairkan?, Encashment Date,Pencairan Tanggal, -Exit Interview Details,Detail Exit Interview, -Held On,Diadakan Pada, -Reason for Resignation,Alasan pengunduran diri, -Better Prospects,Prospek yang Lebih Baik, -Health Concerns,Kekhawatiran Kesehatan, New Workplace,Tempat Kerja Baru, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Jumlah yang dikembalikan, @@ -8237,9 +8223,6 @@ Landed Cost Help,Bantuan Biaya Landed, Manufacturers used in Items,Produsen yang digunakan dalam Produk, Limited to 12 characters,Terbatas untuk 12 karakter, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Atur Gudang, -Sets 'For Warehouse' in each row of the Items table.,Set 'Untuk Gudang' di setiap baris tabel Item., -Requested For,Diminta Untuk, Partially Ordered,Dipesan Sebagian, Transferred,Ditransfer, % Ordered,% Tersusun, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Gudang Permintaan Material, Select warehouse for material requests,Pilih gudang untuk permintaan material, Transfer Materials For Warehouse {0},Mentransfer Bahan Untuk Gudang {0}, Production Plan Material Request Warehouse,Gudang Permintaan Material Rencana Produksi, -Set From Warehouse,Atur Dari Gudang, -Source Warehouse (Material Transfer),Gudang Sumber (Transfer Material), Sets 'Source Warehouse' in each row of the items table.,Set 'Source Warehouse' di setiap baris tabel item., Sets 'Target Warehouse' in each row of the items table.,Menetapkan 'Gudang Target' di setiap baris tabel item., Show Cancelled Entries,Tunjukkan Entri yang Dibatalkan, @@ -9155,7 +9136,6 @@ Professional Tax,Pajak Profesional, Is Income Tax Component,Adalah Komponen Pajak Penghasilan, Component properties and references ,Properti dan referensi komponen, Additional Salary ,Gaji Tambahan, -Condtion and formula,Condtion dan formula, Unmarked days,Hari tak bertanda, Absent Days,Hari Absen, Conditions and Formula variable and example,Kondisi dan variabel Rumus dan contoh, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Kesalahan permintaan kotak-kotak tidak valid, Please check your Plaid client ID and secret values,Harap periksa ID klien Kotak-kotak dan nilai rahasia Anda, Bank transaction creation error,Kesalahan pembuatan transaksi bank, Unit of Measurement,Satuan Pengukuran, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Baris # {}: Tarif jual item {} lebih rendah daripada {}. Tingkat penjualan harus minimal {}, Fiscal Year {0} Does Not Exist,Tahun Fiskal {0} Tidak Ada, Row # {0}: Returned Item {1} does not exist in {2} {3},Baris # {0}: Item yang Dikembalikan {1} tidak ada di {2} {3}, Valuation type charges can not be marked as Inclusive,Biaya jenis penilaian tidak dapat ditandai sebagai Inklusif, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Tetapkan Wakt Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Waktu Respons untuk {0} prioritas di baris {1} tidak boleh lebih dari Waktu Resolusi., {0} is not enabled in {1},{0} tidak diaktifkan di {1}, Group by Material Request,Kelompokkan berdasarkan Permintaan Material, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Baris {0}: Untuk Pemasok {0}, Alamat Email Diperlukan untuk Mengirim Email", Email Sent to Supplier {0},Email Dikirim ke Pemasok {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Akses ke Permintaan Penawaran Dari Portal Dinonaktifkan. Untuk Mengizinkan Akses, Aktifkan di Pengaturan Portal.", Supplier Quotation {0} Created,Penawaran Pemasok {0} Dibuat, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Bobot total yang ditetapka Account {0} exists in parent company {1}.,Akun {0} ada di perusahaan induk {1}., "To overrule this, enable '{0}' in company {1}","Untuk mengesampingkan ini, aktifkan '{0}' di perusahaan {1}", Invalid condition expression,Ekspresi kondisi tidak valid, +Please Select a Company First,Harap Pilih Perusahaan Terlebih Dahulu, +Please Select Both Company and Party Type First,Harap Pilih Kedua Perusahaan dan Jenis Pesta Pertama, +Provide the invoice portion in percent,Berikan porsi faktur dalam persen, +Give number of days according to prior selection,Beri jumlah hari menurut seleksi sebelumnya, +Email Details,Rincian Email, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Pilih salam untuk penerima. Misal Mr., Ms., dll.", +Preview Email,Pratinjau Email, +Please select a Supplier,Silakan pilih a Pemasok, +Supplier Lead Time (days),Supplier Lead Time (hari), +"Home, Work, etc.","Rumah, Kantor, dll.", +Exit Interview Held On,Exit Interview Diadakan, +Condition and formula,Kondisi dan formula, +Sets 'Target Warehouse' in each row of the Items table.,Set 'Gudang Target' di setiap baris tabel Item., +Sets 'Source Warehouse' in each row of the Items table.,Set 'Source Warehouse' di setiap baris tabel Item., +POS Register,Daftar POS, +"Can not filter based on POS Profile, if grouped by POS Profile","Tidak dapat memfilter berdasarkan Profil POS, jika dikelompokkan berdasarkan Profil POS", +"Can not filter based on Customer, if grouped by Customer","Tidak dapat memfilter berdasarkan Pelanggan, jika dikelompokkan berdasarkan Pelanggan", +"Can not filter based on Cashier, if grouped by Cashier","Tidak dapat memfilter berdasarkan Kasir, jika dikelompokkan berdasarkan Kasir", +Payment Method,Cara Pembayaran, +"Can not filter based on Payment Method, if grouped by Payment Method","Tidak dapat memfilter berdasarkan Metode Pembayaran, jika dikelompokkan berdasarkan Metode Pembayaran", +Supplier Quotation Comparison,Perbandingan Penawaran Pemasok, +Price per Unit (Stock UOM),Harga per Unit (Stock UOM), +Group by Supplier,Kelompokkan berdasarkan Pemasok, +Group by Item,Kelompokkan berdasarkan Item, +Remember to set {field_label}. It is required by {regulation}.,Ingatlah untuk menyetel {field_label}. Ini diwajibkan oleh {regulasi}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Tanggal Pendaftaran tidak boleh sebelum Tanggal Mulai Tahun Akademik {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Tanggal Pendaftaran tidak boleh setelah Tanggal Akhir Masa Akademik {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Tanggal Pendaftaran tidak boleh sebelum Tanggal Mulai dari Syarat Akademik {0}, +Posting future transactions are not allowed due to Immutable Ledger,Memposting transaksi di masa depan tidak diperbolehkan karena Immutable Ledger, +Future Posting Not Allowed,Posting Mendatang Tidak Diizinkan, +"To enable Capital Work in Progress Accounting, ","Untuk mengaktifkan Capital Work dalam Progress Accounting,", +you must select Capital Work in Progress Account in accounts table,Anda harus memilih Capital Work in Progress Account di tabel akun, +You can also set default CWIP account in Company {},Anda juga dapat menyetel akun CWIP default di Perusahaan {}, +The Request for Quotation can be accessed by clicking on the following button,Permintaan Penawaran dapat diakses dengan mengklik tombol berikut, +Regards,Salam, +Please click on the following button to set your new password,Silakan klik tombol berikut untuk menyetel kata sandi baru Anda, +Update Password,Perbarui Kata Sandi, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Baris # {}: Tarif jual item {} lebih rendah daripada {}. Menjual {} harus minimal {}, +You can alternatively disable selling price validation in {} to bypass this validation.,Anda juga bisa menonaktifkan validasi harga jual di {} untuk melewati validasi ini., +Invalid Selling Price,Harga Jual Tidak Valid, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Alamat harus ditautkan ke Perusahaan. Harap tambahkan baris untuk Perusahaan di tabel Tautan., +Company Not Linked,Perusahaan Tidak Tertaut, +Import Chart of Accounts from CSV / Excel files,Impor Bagan Akun dari file CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',Kuantitas Lengkap tidak boleh lebih besar dari 'Kuantitas hingga Pembuatan', +"Row {0}: For Supplier {1}, Email Address is Required to send an email","Baris {0}: Untuk Pemasok {1}, Alamat Email Diperlukan untuk mengirim email", diff --git a/erpnext/translations/is.csv b/erpnext/translations/is.csv index fb1098232b..1e1356dc88 100644 --- a/erpnext/translations/is.csv +++ b/erpnext/translations/is.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Gjald af ger Chargeble,Gjaldtaka, Charges are updated in Purchase Receipt against each item,Gjöld eru uppfærðar á kvittun við hvert atriði, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Gjöld verður dreift hlutfallslega miðað hlut Fjöldi eða magn, eins og á val þitt", -Chart Of Accounts,Mynd reikninga, Chart of Cost Centers,Mynd af stoðsviða, Check all,Athugaðu alla, Checkout,Athuga, @@ -581,7 +580,6 @@ Company {0} does not exist,Fyrirtæki {0} er ekki til, Compensatory Off,jöfnunaraðgerðir Off, Compensatory leave request days not in valid holidays,Dagbætur vegna bótaábyrgðar ekki í gildum frídagum, Complaint,Kvörtun, -Completed Qty can not be greater than 'Qty to Manufacture',Lokið Magn má ekki vera meiri en 'Magn í Manufacture', Completion Date,Verklok, Computer,Tölva, Condition,Ástand, @@ -2033,7 +2031,6 @@ Please select Category first,Vinsamlegast veldu Flokkur fyrst, Please select Charge Type first,Vinsamlegast veldu Charge Tegund fyrst, Please select Company,Vinsamlegast veldu Company, Please select Company and Designation,Vinsamlegast veldu fyrirtæki og tilnefningu, -Please select Company and Party Type first,Vinsamlegast veldu Company og Party Gerð fyrst, Please select Company and Posting Date to getting entries,Vinsamlegast veldu félags og póstsetningu til að fá færslur, Please select Company first,Vinsamlegast veldu Company fyrst, Please select Completion Date for Completed Asset Maintenance Log,Vinsamlegast veldu Lokadagsetning fyrir lokaðan rekstrarskrá, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,The nafn af The name of your company for which you are setting up this system.,Nafn fyrirtækis þíns sem þú ert að setja upp þetta kerfi., The number of shares and the share numbers are inconsistent,Fjöldi hluta og hlutanúmer eru ósamræmi, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Greiðslugátt reikningsins í áætluninni {0} er frábrugðin greiðslugáttarkonto í þessari greiðslubeiðni, -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, The selected BOMs are not for the same item,Völdu BOMs eru ekki fyrir sama hlut, The selected item cannot have Batch,Valið atriði getur ekki Hópur, The seller and the buyer cannot be the same,Seljandi og kaupandi geta ekki verið þau sömu, @@ -3543,7 +3539,6 @@ Company GSTIN,Fyrirtæki GSTIN, Company field is required,Fyrirtækjasvið er krafist, Creating Dimensions...,Býr til víddir ..., Duplicate entry against the item code {0} and manufacturer {1},Afrit færslu gegn vörukóðanum {0} og framleiðanda {1}, -Import Chart Of Accounts from CSV / Excel files,Flytja inn reikningskort úr CSV / Excel skrám, Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Ógilt GSTIN! Inntakið sem þú slóst inn passar ekki við GSTIN snið fyrir UIN handhafa eða OIDAR þjónustuaðila sem eru ekki búsettir, Invoice Grand Total,Heildarfjárhæð reikninga, Last carbon check date cannot be a future date,Síðasti dagsetning kolefnisrannsóknar getur ekki verið framtíðardagsetning, @@ -3920,7 +3915,6 @@ Plaid authentication error,Villa í sannprófun á táknmynd, Plaid public token error,Villa við almenna táknið, Plaid transactions sync error,Villa við samstillingu Plaid viðskipti, Please check the error log for details about the import errors,Vinsamlegast athugaðu villubókina til að fá upplýsingar um innflutningsvillurnar, -Please click on the following link to set your new password,Vinsamlegast smelltu á eftirfarandi tengil til að setja nýja lykilorðið þitt, Please create DATEV Settings for Company {}.,Vinsamlegast búðu til DATEV stillingar fyrir fyrirtæki {} ., Please create adjustment Journal Entry for amount {0} ,Vinsamlegast stofnaðu færslu dagbókar fyrir upphæð {0}, Please do not create more than 500 items at a time,Vinsamlegast ekki búa til meira en 500 hluti í einu, @@ -4043,7 +4037,6 @@ Search results for,Leitarniðurstöður fyrir, Select All,Velja allt, Select Difference Account,Veldu mismunareikning, Select a Default Priority.,Veldu sjálfgefið forgang., -Select a Supplier from the Default Supplier List of the items below.,Veldu seljanda úr sjálfgefnum birgðalista yfir hlutina hér að neðan., Select a company,Veldu fyrirtæki, Select finance book for the item {0} at row {1},Veldu fjármálabók fyrir hlutinn {0} í röð {1}, Select only one Priority as Default.,Veldu aðeins eitt forgang sem sjálfgefið., @@ -4247,7 +4240,6 @@ Yes,Já, Actual ,Raunveruleg, Add to cart,Bæta í körfu, Budget,Budget, -Chart Of Accounts Importer,Yfirlit yfir innflutning reikninga, Chart of Accounts,Yfirlit yfir reikninga, Customer database.,Viðskiptavinur Gagnagrunnur., Days Since Last order,Dagar frá síðustu Order, @@ -4939,7 +4931,6 @@ Closing Account Head,Loka reikningi Head, POS Customer Group,POS viðskiptavinar Group, POS Field,POS sviði, POS Item Group,POS Item Group, -[Select],[Veldu], Company Address,Nafn fyrirtækis, Update Stock,Uppfæra Stock, Ignore Pricing Rule,Hunsa Verðlagning reglu, @@ -6597,11 +6588,6 @@ Relieving Date,létta Dagsetning, Reason for Leaving,Ástæða til að fara, Leave Encashed?,Leyfi Encashed?, Encashment Date,Encashment Dagsetning, -Exit Interview Details,Hætta Viðtal Upplýsingar, -Held On,Hélt í, -Reason for Resignation,Ástæðan fyrir úrsögn, -Better Prospects,betri horfur, -Health Concerns,Heilsa Áhyggjuefni, New Workplace,ný Vinnustaðurinn, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Skilað upphæð, @@ -8237,9 +8223,6 @@ Landed Cost Help,Landað Kostnaður Hjálp, Manufacturers used in Items,Framleiðendur notað í liðum, Limited to 12 characters,Takmarkast við 12 stafi, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Setja vöruhús, -Sets 'For Warehouse' in each row of the Items table.,Stillir 'Fyrir vöruhús' í hverri röð hlutatöflunnar., -Requested For,Umbeðin Fyrir, Partially Ordered,Að hluta til pantað, Transferred,Flutt, % Ordered,% Pantaði, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Vöruhús fyrir beiðni um efni, Select warehouse for material requests,Veldu lager fyrir efnisbeiðnir, Transfer Materials For Warehouse {0},Flytja efni fyrir lager {0}, Production Plan Material Request Warehouse,Vöruhús fyrir framleiðsluáætlun, -Set From Warehouse,Sett frá vörugeymslu, -Source Warehouse (Material Transfer),Upprunavöruhús (efnisflutningur), Sets 'Source Warehouse' in each row of the items table.,Stillir 'Source Warehouse' í hverri röð hlutatöflunnar., Sets 'Target Warehouse' in each row of the items table.,Stillir 'Target Warehouse' í hverri röð hlutatöflunnar., Show Cancelled Entries,Sýna færslur sem falla niður, @@ -9155,7 +9136,6 @@ Professional Tax,Fagskattur, Is Income Tax Component,Er hluti tekjuskatts, Component properties and references ,Hluti eiginleika og tilvísanir, Additional Salary ,Viðbótarlaun, -Condtion and formula,Leiðsla og uppskrift, Unmarked days,Ómerktir dagar, Absent Days,Fjarverandi dagar, Conditions and Formula variable and example,Aðstæður og formúlubreytur og dæmi, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Rauð ógild villa, Please check your Plaid client ID and secret values,Vinsamlegast athugaðu auðkenni viðskiptavinar þíns og leynileg gildi, Bank transaction creation error,Villa við að búa til bankaviðskipti, Unit of Measurement,Mælieining, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Röð nr. {}: Sölugengi hlutar {} er lægra en {} þess. Söluhlutfall ætti að vera að minnsta kosti {}, Fiscal Year {0} Does Not Exist,Reikningsár {0} er ekki til, Row # {0}: Returned Item {1} does not exist in {2} {3},Röð nr. {0}: Atriði sem skilað er {1} er ekki til í {2} {3}, Valuation type charges can not be marked as Inclusive,Ekki er hægt að merkja gjald fyrir verðmæti sem innifalið, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Stilltu viðb Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Svartími fyrir {0} forgang í röð {1} getur ekki verið meiri en Upplausnartími., {0} is not enabled in {1},{0} er ekki virkt í {1}, Group by Material Request,Flokkað eftir efnisbeiðni, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Röð {0}: Fyrir birgjann {0} þarf netfang til að senda tölvupóst, Email Sent to Supplier {0},Tölvupóstur sendur til birgja {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Aðgangur að beiðni um tilboð frá gátt er óvirkur. Til að leyfa aðgang, virkjaðu það í Portal Settings.", Supplier Quotation {0} Created,Tilboð í birgja {0} búið til, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Heildarþyngd úthlutað Account {0} exists in parent company {1}.,Reikningurinn {0} er til í móðurfélaginu {1}., "To overrule this, enable '{0}' in company {1}",Til að ofsækja þetta skaltu virkja '{0}' í fyrirtæki {1}, Invalid condition expression,Ógild ástandstjáning, +Please Select a Company First,Vinsamlegast veldu fyrirtæki fyrst, +Please Select Both Company and Party Type First,Vinsamlegast veldu bæði fyrirtæki og tegund aðila fyrst, +Provide the invoice portion in percent,Gefðu upp reikningshlutann í prósentum, +Give number of days according to prior selection,Gefðu upp fjölda daga samkvæmt forvali, +Email Details,Upplýsingar um tölvupóst, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Veldu kveðju fyrir móttakara. Til dæmis herra, frú o.s.frv.", +Preview Email,Forskoða tölvupóst, +Please select a Supplier,Vinsamlegast veldu birgir, +Supplier Lead Time (days),Leiðslutími birgja (dagar), +"Home, Work, etc.","Heimili, vinna o.s.frv.", +Exit Interview Held On,Útgönguviðtal haldið, +Condition and formula,Ástand og uppskrift, +Sets 'Target Warehouse' in each row of the Items table.,Stillir 'Target Warehouse' í hverri röð hlutatöflunnar., +Sets 'Source Warehouse' in each row of the Items table.,Stillir 'Source Warehouse' í hverri röð hlutatöflunnar., +POS Register,POS skrá, +"Can not filter based on POS Profile, if grouped by POS Profile","Get ekki síað eftir POS prófíl, ef flokkað er eftir POS prófíl", +"Can not filter based on Customer, if grouped by Customer","Get ekki síað eftir viðskiptavini, ef flokkað er eftir viðskiptavini", +"Can not filter based on Cashier, if grouped by Cashier","Get ekki síað eftir gjaldkera, ef flokkað er eftir gjaldkera", +Payment Method,Greiðslumáti, +"Can not filter based on Payment Method, if grouped by Payment Method","Get ekki síað eftir greiðslumáta, ef það er flokkað eftir greiðslumáta", +Supplier Quotation Comparison,Samanburður á tilboði birgja, +Price per Unit (Stock UOM),Verð á hverja einingu (lager UOM), +Group by Supplier,Flokkað eftir birgi, +Group by Item,Flokkað eftir liðum, +Remember to set {field_label}. It is required by {regulation}.,Mundu að setja {field_label}. Það er krafist af {reglugerð}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Innritunardagur getur ekki verið fyrir upphafsdag námsársins {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Innritunardagur getur ekki verið eftir lokadag námsársins {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Skráningardagur getur ekki verið fyrir upphafsdag námsársins {0}, +Posting future transactions are not allowed due to Immutable Ledger,Ekki er heimilt að birta færslur í framtíðinni vegna óbreytanlegrar höfuðbókar, +Future Posting Not Allowed,Framtíðarpóstur ekki leyfður, +"To enable Capital Work in Progress Accounting, ","Til að virkja bókhald fjármagnsvinnu,", +you must select Capital Work in Progress Account in accounts table,þú verður að velja Capital Work in Progress Account í reikningstöflu, +You can also set default CWIP account in Company {},Þú getur einnig stillt sjálfgefinn CWIP reikning í fyrirtæki {}, +The Request for Quotation can be accessed by clicking on the following button,Beiðni um tilboð er hægt að nálgast með því að smella á eftirfarandi hnapp, +Regards,Kveðja, +Please click on the following button to set your new password,Vinsamlegast smelltu á eftirfarandi hnapp til að stilla nýja lykilorðið þitt, +Update Password,Uppfærðu lykilorð, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Röð # {}: Sölugengi hlutar {} er lægra en {} þess. Sala {} ætti að vera að minnsta kosti {}, +You can alternatively disable selling price validation in {} to bypass this validation.,Þú getur einnig slökkt á staðfestingu söluverðs í {} til að fara framhjá þessari löggildingu., +Invalid Selling Price,Ógilt söluverð, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Heimilisfang þarf að vera tengt fyrirtæki. Vinsamlegast bættu við röð fyrir fyrirtæki í tenglatöflunni., +Company Not Linked,Fyrirtæki ekki tengt, +Import Chart of Accounts from CSV / Excel files,Flytja inn reikningskort úr CSV / Excel skrám, +Completed Qty cannot be greater than 'Qty to Manufacture',Fullbúið magn getur ekki verið meira en „Magn til framleiðslu“, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",Röð {0}: Fyrir birgja {1} þarf netfang til að senda tölvupóst, diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv index d903b85810..5dfc2bd6b7 100644 --- a/erpnext/translations/it.csv +++ b/erpnext/translations/it.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Carica di tip Chargeble,chargeble, Charges are updated in Purchase Receipt against each item,Le tariffe sono aggiornati in acquisto ricevuta contro ogni voce, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Spese saranno distribuiti proporzionalmente basate su qty voce o importo, secondo la vostra selezione", -Chart Of Accounts,Piano dei conti, Chart of Cost Centers,Grafico Centro di Costo, Check all,Seleziona tutto, Checkout,Check-out, @@ -581,7 +580,6 @@ Company {0} does not exist,Società di {0} non esiste, Compensatory Off,compensativa Off, Compensatory leave request days not in valid holidays,Giorni di congedo compensativo giorni non festivi validi, Complaint,Denuncia, -Completed Qty can not be greater than 'Qty to Manufacture',Completato Quantità non può essere maggiore di 'Quantità di Fabbricazione', Completion Date,Data Completamento, Computer,Computer, Condition,Condizione, @@ -2033,7 +2031,6 @@ Please select Category first,Si prega di selezionare Categoria prima, Please select Charge Type first,Seleziona il tipo di carica prima, Please select Company,Selezionare prego, Please select Company and Designation,Si prega di selezionare Società e designazione, -Please select Company and Party Type first,Per favore selezionare prima l'azienda e il tipo di Partner, Please select Company and Posting Date to getting entries,Seleziona Società e Data di pubblicazione per ottenere le voci, Please select Company first,Seleziona prima azienda, Please select Completion Date for Completed Asset Maintenance Log,Selezionare la data di completamento per il registro di manutenzione delle attività completato, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Il nome dell The name of your company for which you are setting up this system.,Il nome dell'azienda per la quale si sta configurando questo sistema., The number of shares and the share numbers are inconsistent,Il numero di condivisioni e i numeri di condivisione sono incoerenti, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,L'account del gateway di pagamento nel piano {0} è diverso dall'account del gateway di pagamento in questa richiesta di pagamento, -The request for quotation can be accessed by clicking on the following link,Accedere alla richiesta di offerta cliccando sul seguente link, The selected BOMs are not for the same item,Le distinte materiali selezionati non sono per la stessa voce, The selected item cannot have Batch,La voce selezionata non può avere Batch, The seller and the buyer cannot be the same,Il venditore e l'acquirente non possono essere uguali, @@ -3543,7 +3539,6 @@ Company GSTIN,Azienda GSTIN, Company field is required,È richiesto il campo dell'azienda, Creating Dimensions...,Creazione di quote ..., Duplicate entry against the item code {0} and manufacturer {1},Voce duplicata rispetto al codice articolo {0} e al produttore {1}, -Import Chart Of Accounts from CSV / Excel files,Importa piano dei conti da file CSV / Excel, 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 titolari UIN o provider di servizi OIDAR non residenti, Invoice Grand Total,Totale totale fattura, Last carbon check date cannot be a future date,La data dell'ultima verifica del carbonio non può essere una data futura, @@ -3920,7 +3915,6 @@ Plaid authentication error,Errore di autenticazione plaid, Plaid public token error,Errore token pubblico plaid, Plaid transactions sync error,Errore di sincronizzazione delle transazioni del plaid, Please check the error log for details about the import errors,Controllare il registro degli errori per i dettagli sugli errori di importazione, -Please click on the following link to set your new password,Cliccate sul link seguente per impostare la nuova password, Please create DATEV Settings for Company {}.,Crea le impostazioni DATEV per l'azienda {} ., Please create adjustment Journal Entry for amount {0} ,Crea una registrazione prima nota di rettifica per l'importo {0}, Please do not create more than 500 items at a time,Non creare più di 500 elementi alla volta, @@ -4043,7 +4037,6 @@ Search results for,cerca risultati per, Select All,Seleziona tutto, Select Difference Account,Seleziona Conto differenze, Select a Default Priority.,Seleziona una priorità predefinita., -Select a Supplier from the Default Supplier List of the items below.,Selezionare un fornitore dall'elenco fornitori predefinito degli articoli di seguito., Select a company,Seleziona un'azienda, Select finance book for the item {0} at row {1},Seleziona il libro finanziario per l'articolo {0} alla riga {1}, Select only one Priority as Default.,Seleziona solo una priorità come predefinita., @@ -4247,7 +4240,6 @@ Yes,sì, Actual ,Attuale, Add to cart,Aggiungi al carrello, Budget,Budget, -Chart Of Accounts Importer,Importatore del piano dei conti, Chart of Accounts,Piano dei conti, Customer database.,Database clienti., Days Since Last order,Giorni dall'ultimo ordine, @@ -4939,7 +4931,6 @@ Closing Account Head,Chiudere Conto Primario, POS Customer Group,POS Gruppi clienti, POS Field,Campo POS, POS Item Group,POS Gruppo Articolo, -[Select],[Seleziona], Company Address,indirizzo aziendale, Update Stock,Aggiornare Giacenza, Ignore Pricing Rule,Ignora regola tariffaria, @@ -6597,11 +6588,6 @@ Relieving Date,Alleviare Data, Reason for Leaving,Motivo per Lasciare, Leave Encashed?,Lascia non incassati?, Encashment Date,Data Incasso, -Exit Interview Details,Uscire Dettagli Intervista, -Held On,Tenutasi il, -Reason for Resignation,Motivo della Dimissioni, -Better Prospects,Prospettive Migliori, -Health Concerns,Preoccupazioni per la salute, New Workplace,Nuovo posto di lavoro, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Importo restituito, @@ -8237,9 +8223,6 @@ Landed Cost Help,Landed Cost Aiuto, Manufacturers used in Items,Produttori utilizzati in Articoli, Limited to 12 characters,Limitato a 12 caratteri, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Imposta magazzino, -Sets 'For Warehouse' in each row of the Items table.,Imposta "Per magazzino" in ogni riga della tabella Articoli., -Requested For,richiesto Per, Partially Ordered,Ordinato parzialmente, Transferred,trasferito, % Ordered,% Ordinato, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Magazzino richiesta materiale, Select warehouse for material requests,Seleziona il magazzino per le richieste di materiale, Transfer Materials For Warehouse {0},Trasferisci materiali per magazzino {0}, Production Plan Material Request Warehouse,Magazzino richiesta materiale piano di produzione, -Set From Warehouse,Impostato dal magazzino, -Source Warehouse (Material Transfer),Magazzino di origine (trasferimento di materiale), Sets 'Source Warehouse' in each row of the items table.,Imposta "Magazzino di origine" in ogni riga della tabella degli articoli., Sets 'Target Warehouse' in each row of the items table.,Imposta "Magazzino di destinazione" in ogni riga della tabella degli articoli., Show Cancelled Entries,Mostra voci annullate, @@ -9155,7 +9136,6 @@ Professional Tax,Tasse professionali, Is Income Tax Component,È una componente dell'imposta sul reddito, Component properties and references ,Proprietà e riferimenti dei componenti, Additional Salary ,Stipendio aggiuntivo, -Condtion and formula,Condizione e formula, Unmarked days,Giorni non contrassegnati, Absent Days,Giorni assenti, Conditions and Formula variable and example,Condizioni e variabile di formula ed esempio, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Errore di richiesta plaid non valida, Please check your Plaid client ID and secret values,Controlla l'ID del tuo cliente Plaid e i valori segreti, Bank transaction creation error,Errore di creazione della transazione bancaria, Unit of Measurement,Unità di misura, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Riga n. {}: La percentuale di vendita dell'articolo {} è inferiore alla relativa {}. Il tasso di vendita dovrebbe essere di almeno {}, Fiscal Year {0} Does Not Exist,L'anno fiscale {0} non esiste, Row # {0}: Returned Item {1} does not exist in {2} {3},Riga n. {0}: l'articolo restituito {1} non esiste in {2} {3}, Valuation type charges can not be marked as Inclusive,Gli addebiti del tipo di valutazione non possono essere contrassegnati come inclusivi, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Imposta il te Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Il tempo di risposta per la {0} priorità nella riga {1} non può essere maggiore del tempo di risoluzione., {0} is not enabled in {1},{0} non è abilitato in {1}, Group by Material Request,Raggruppa per richiesta materiale, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Riga {0}: per il fornitore {0}, l'indirizzo e-mail è obbligatorio per inviare e-mail", Email Sent to Supplier {0},Email inviata al fornitore {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","L'accesso alla richiesta di preventivo dal portale è disabilitato. Per consentire l'accesso, abilitalo nelle impostazioni del portale.", Supplier Quotation {0} Created,Offerta fornitore {0} creata, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Il peso totale assegnato d Account {0} exists in parent company {1}.,L'account {0} esiste nella società madre {1}., "To overrule this, enable '{0}' in company {1}","Per annullare questa impostazione, abilita "{0}" nell'azienda {1}", Invalid condition expression,Espressione della condizione non valida, +Please Select a Company First,Seleziona prima una società, +Please Select Both Company and Party Type First,Seleziona prima sia la società che il tipo di partito, +Provide the invoice portion in percent,Fornisci la parte della fattura in percentuale, +Give number of days according to prior selection,Indicare il numero di giorni in base alla selezione precedente, +Email Details,Dettagli email, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Seleziona un saluto per il destinatario. Ad esempio, signor, signora, ecc.", +Preview Email,Anteprima email, +Please select a Supplier,Seleziona un fornitore, +Supplier Lead Time (days),Tempo di consegna del fornitore (giorni), +"Home, Work, etc.","Casa, lavoro, ecc.", +Exit Interview Held On,Esci Intervista trattenuta, +Condition and formula,Condizione e formula, +Sets 'Target Warehouse' in each row of the Items table.,Imposta "Magazzino di destinazione" in ogni riga della tabella Articoli., +Sets 'Source Warehouse' in each row of the Items table.,Imposta "Magazzino di origine" in ogni riga della tabella Articoli., +POS Register,Registro POS, +"Can not filter based on POS Profile, if grouped by POS Profile","Impossibile filtrare in base al profilo POS, se raggruppato per profilo POS", +"Can not filter based on Customer, if grouped by Customer","Non è possibile filtrare in base al cliente, se raggruppato per cliente", +"Can not filter based on Cashier, if grouped by Cashier","Non è possibile filtrare in base alla Cassa, se raggruppata per Cassa", +Payment Method,Metodo di pagamento, +"Can not filter based on Payment Method, if grouped by Payment Method","Non è possibile filtrare in base al metodo di pagamento, se raggruppato per metodo di pagamento", +Supplier Quotation Comparison,Confronto delle offerte dei fornitori, +Price per Unit (Stock UOM),Prezzo per unità (Stock UM), +Group by Supplier,Gruppo per fornitore, +Group by Item,Raggruppa per articolo, +Remember to set {field_label}. It is required by {regulation}.,Ricordati di impostare {field_label}. È richiesto dal {regolamento}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},La data di iscrizione non può essere antecedente alla data di inizio dell'anno accademico {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},La data di iscrizione non può essere successiva alla data di fine del periodo accademico {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},La data di iscrizione non può essere precedente alla data di inizio del periodo accademico {0}, +Posting future transactions are not allowed due to Immutable Ledger,La registrazione di transazioni future non è consentita a causa di Immutable Ledger, +Future Posting Not Allowed,Pubblicazione futura non consentita, +"To enable Capital Work in Progress Accounting, ","Per abilitare la contabilità dei lavori in corso,", +you must select Capital Work in Progress Account in accounts table,è necessario selezionare Conto lavori in corso nella tabella dei conti, +You can also set default CWIP account in Company {},Puoi anche impostare un account CWIP predefinito in Azienda {}, +The Request for Quotation can be accessed by clicking on the following button,È possibile accedere alla Richiesta di offerta facendo clic sul pulsante seguente, +Regards,Saluti, +Please click on the following button to set your new password,Fare clic sul pulsante seguente per impostare la nuova password, +Update Password,Aggiorna password, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Riga n. {}: La percentuale di vendita dell'articolo {} è inferiore alla relativa {}. La vendita di {} dovrebbe essere almeno {}, +You can alternatively disable selling price validation in {} to bypass this validation.,"In alternativa, puoi disabilitare la convalida del prezzo di vendita in {} per ignorare questa convalida.", +Invalid Selling Price,Prezzo di vendita non valido, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,L'indirizzo deve essere collegato a una società. Aggiungi una riga per Azienda nella tabella Collegamenti., +Company Not Linked,Società non collegata, +Import Chart of Accounts from CSV / Excel files,Importa piano dei conti da file CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',La quantità completata non può essere maggiore di "Qtà da produrre", +"Row {0}: For Supplier {1}, Email Address is Required to send an email","Riga {0}: per il fornitore {1}, l'indirizzo e-mail è richiesto per inviare un'e-mail", diff --git a/erpnext/translations/ja.csv b/erpnext/translations/ja.csv index fd19882eb0..9656f5eb01 100644 --- a/erpnext/translations/ja.csv +++ b/erpnext/translations/ja.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,行{0}の料 Chargeble,有料, Charges are updated in Purchase Receipt against each item,料金は、各アイテムに対して、領収書上で更新されます, "Charges will be distributed proportionately based on item qty or amount, as per your selection",料金は、選択によって、アイテムの数量または量に基づいて均等に分割されます, -Chart Of Accounts,勘定科目表, Chart of Cost Centers,コストセンターの表, Check all,すべてチェック, Checkout,チェックアウト, @@ -581,7 +580,6 @@ Company {0} does not exist,当社{0}は存在しません。, Compensatory Off,代償オフ, Compensatory leave request days not in valid holidays,有効休暇ではない補償休暇申請日, Complaint,苦情, -Completed Qty can not be greater than 'Qty to Manufacture',完成した数量は「製造数量」より大きくすることはできません, Completion Date,完了日, Computer,コンピュータ, Condition,条件, @@ -2033,7 +2031,6 @@ Please select Category first,カテゴリを選択してください, Please select Charge Type first,請求タイプを最初に選択してください, Please select Company,会社を選択してください, Please select Company and Designation,会社と指定を選択してください, -Please select Company and Party Type first,最初の会社と当事者タイプを選択してください, Please select Company and Posting Date to getting entries,エントリを取得するには、会社と転記日付を選択してください, Please select Company first,会社を選択してください, Please select Completion Date for Completed Asset Maintenance Log,完了した資産管理ログの完了日を選択してください, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,あなたは The name of your company for which you are setting up this system.,このシステムを設定する会社の名前, The number of shares and the share numbers are inconsistent,株式数と株式数が矛盾している, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,プラン{0}の支払ゲートウェイ口座が、この支払依頼の支払ゲートウェイ口座と異なる, -The request for quotation can be accessed by clicking on the following link,見積依頼は、以下のリンクをクリックすることによってアクセスすることができます, The selected BOMs are not for the same item,選択されたBOMはアイテムと同一ではありません, The selected item cannot have Batch,選択した項目はバッチを持てません, The seller and the buyer cannot be the same,売り手と買い手は同じではありません, @@ -3543,7 +3539,6 @@ Company GSTIN,会社GSTIN, Company field is required,会社フィールドは必須です, Creating Dimensions...,ディメンションを作成しています..., Duplicate entry against the item code {0} and manufacturer {1},商品コード{0}と製造元{1}に対する重複エントリ, -Import Chart Of Accounts from CSV / Excel files,CSV / Excelファイルから勘定科目表のインポート, 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形式と一致しません, Invoice Grand Total,請求書の合計, Last carbon check date cannot be a future date,最後のカーボンチェック日を未来の日にすることはできません, @@ -3920,7 +3915,6 @@ Plaid authentication error,格子縞認証エラー, Plaid public token error,プレイドパブリックトークンエラー, Plaid transactions sync error,格子縞のトランザクション同期エラー, Please check the error log for details about the import errors,インポートエラーの詳細についてはエラーログを確認してください。, -Please click on the following link to set your new password,新しいパスワードを設定するには、次のリンクをクリックしてください, Please create DATEV Settings for Company {}.,会社{}の DATEV設定を作成してください。, Please create adjustment Journal Entry for amount {0} ,金額{0}の調整仕訳を作成してください, Please do not create more than 500 items at a time,一度に500個を超えるアイテムを作成しないでください, @@ -4043,7 +4037,6 @@ Search results for,検索結果, Select All,すべて選択, Select Difference Account,差額勘定を選択, Select a Default Priority.,デフォルトの優先順位を選択します。, -Select a Supplier from the Default Supplier List of the items below.,以下のアイテムのデフォルトのサプライヤーリストからサプライヤーを選択します。, Select a company,会社を選択, Select finance book for the item {0} at row {1},行{1}のアイテム{0}のファイナンスブックを選択してください, Select only one Priority as Default.,デフォルトとして優先度を1つだけ選択します。, @@ -4247,7 +4240,6 @@ Yes,はい, Actual ,実際, Add to cart,カートに追加, Budget,予算, -Chart Of Accounts Importer,アカウントインポーターのチャート, Chart of Accounts,勘定科目一覧表, Customer database.,顧客データベース, Days Since Last order,最新注文からの日数, @@ -4939,7 +4931,6 @@ Closing Account Head,決算科目, POS Customer Group,POSの顧客グループ, POS Field,POSフィールド, POS Item Group,POSアイテムのグループ, -[Select],[選択], Company Address,会社住所, Update Stock,在庫更新, Ignore Pricing Rule,価格設定ルールを無視, @@ -6597,11 +6588,6 @@ Relieving Date,退職日, Reason for Leaving,退職理由, Leave Encashed?,現金化された休暇?, Encashment Date,現金化日, -Exit Interview Details,インタビュー詳細を終了, -Held On,開催, -Reason for Resignation,退職理由, -Better Prospects,良い見通し, -Health Concerns,健康への懸念, New Workplace,新しい職場, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,返金額, @@ -8237,9 +8223,6 @@ Landed Cost Help,陸揚費用ヘルプ, Manufacturers used in Items,アイテムに使用されるメーカー, Limited to 12 characters,12文字に制限されています, MAT-MR-.YYYY.-,MAT-MR- .YYYY.-, -Set Warehouse,倉庫を設定する, -Sets 'For Warehouse' in each row of the Items table.,Itemsテーブルの各行に「ForWarehouse」を設定します。, -Requested For,要求対象, Partially Ordered,半順序, Transferred,転送された, % Ordered,%注文済, @@ -8688,8 +8671,6 @@ Material Request Warehouse,資材依頼倉庫, Select warehouse for material requests,資材依頼用の倉庫を選択, Transfer Materials For Warehouse {0},倉庫{0}の転送資材, Production Plan Material Request Warehouse,生産計画資材依頼倉庫, -Set From Warehouse,倉庫から設定, -Source Warehouse (Material Transfer),ソースウェアハウス(資材転送), Sets 'Source Warehouse' in each row of the items table.,itemsテーブルの各行に「SourceWarehouse」を設定します。, Sets 'Target Warehouse' in each row of the items table.,itemsテーブルの各行に「TargetWarehouse」を設定します。, Show Cancelled Entries,キャンセルされたエントリを表示する, @@ -9155,7 +9136,6 @@ Professional Tax,専門家税, Is Income Tax Component,所得税の要素ですか, Component properties and references ,コンポーネントのプロパティと参照, Additional Salary ,追加給与, -Condtion and formula,条件と式, Unmarked days,マークされていない日, Absent Days,不在日, Conditions and Formula variable and example,条件と式の変数と例, @@ -9442,7 +9422,6 @@ Plaid invalid request error,チェック柄の無効なリクエストエラー, Please check your Plaid client ID and secret values,チェック柄のクライアントIDとシークレット値を確認してください, Bank transaction creation error,銀行取引作成エラー, Unit of Measurement,測定の単位, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},行#{}:アイテム{}の販売率はその{}よりも低くなっています。販売率は少なくとも{}でなければなりません, Fiscal Year {0} Does Not Exist,会計年度{0}は存在しません, Row # {0}: Returned Item {1} does not exist in {2} {3},行番号{0}:返品されたアイテム{1}は{2} {3}に存在しません, Valuation type charges can not be marked as Inclusive,評価タイプの料金を包括的としてマークすることはできません, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,行{1}の優 Response Time for {0} priority in row {1} can't be greater than Resolution Time.,行{1}の{0}優先度の応答時間は解決時間より長くすることはできません。, {0} is not enabled in {1},{0}は{1}で有効になっていません, Group by Material Request,マテリアルリクエストによるグループ化, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",行{0}:サプライヤー{0}の場合、Eメールを送信するにはEメールアドレスが必要です, Email Sent to Supplier {0},サプライヤーに送信された電子メール{0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",ポータルからの見積依頼へのアクセスが無効になっています。アクセスを許可するには、ポータル設定で有効にします。, Supplier Quotation {0} Created,サプライヤー見積もり{0}が作成されました, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},割り当てられる総 Account {0} exists in parent company {1}.,アカウント{0}は親会社{1}に存在します。, "To overrule this, enable '{0}' in company {1}",これを無効にするには、会社{1}で「{0}」を有効にします, Invalid condition expression,無効な条件式, +Please Select a Company First,最初に会社を選択してください, +Please Select Both Company and Party Type First,最初に会社とパーティーの両方のタイプを選択してください, +Provide the invoice portion in percent,請求書の部分をパーセントで入力します, +Give number of days according to prior selection,事前の選択に従って日数を与える, +Email Details,メールの詳細, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.",受信者の挨拶を選択します。例:Mr.、Ms。など, +Preview Email,プレビューメール, +Please select a Supplier,サプライヤーを選択してください, +Supplier Lead Time (days),サプライヤーのリードタイム(日), +"Home, Work, etc.",自宅、職場など, +Exit Interview Held On,面接終了, +Condition and formula,条件と式, +Sets 'Target Warehouse' in each row of the Items table.,Itemsテーブルの各行に「TargetWarehouse」を設定します。, +Sets 'Source Warehouse' in each row of the Items table.,Itemsテーブルの各行に「SourceWarehouse」を設定します。, +POS Register,POSレジスタ, +"Can not filter based on POS Profile, if grouped by POS Profile",POSプロファイルでグループ化されている場合、POSプロファイルに基づいてフィルタリングすることはできません, +"Can not filter based on Customer, if grouped by Customer",顧客ごとにグループ化されている場合、顧客に基づいてフィルタリングすることはできません, +"Can not filter based on Cashier, if grouped by Cashier",キャッシャーでグループ化されている場合、キャッシャーに基づいてフィルタリングすることはできません, +Payment Method,支払方法, +"Can not filter based on Payment Method, if grouped by Payment Method",支払い方法でグループ化されている場合、支払い方法に基づいてフィルタリングすることはできません, +Supplier Quotation Comparison,サプライヤーの見積もりの比較, +Price per Unit (Stock UOM),ユニットあたりの価格(ストック単位), +Group by Supplier,サプライヤー別グループ, +Group by Item,アイテムでグループ化, +Remember to set {field_label}. It is required by {regulation}.,{field_label}を設定することを忘れないでください。 {規制}で義務付けられています。, +Enrollment Date cannot be before the Start Date of the Academic Year {0},登録日は、学年度の開始日より前にすることはできません{0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},登録日は、学期の終了日より後にすることはできません{0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},登録日は、学期の開始日より前にすることはできません{0}, +Posting future transactions are not allowed due to Immutable Ledger,不変元帳のため、将来の取引の転記は許可されていません, +Future Posting Not Allowed,今後の投稿は許可されません, +"To enable Capital Work in Progress Accounting, ",資本仕掛品会計を有効にするには、, +you must select Capital Work in Progress Account in accounts table,勘定科目テーブルで資本仕掛品勘定科目を選択する必要があります, +You can also set default CWIP account in Company {},会社{}でデフォルトのCWIPアカウントを設定することもできます, +The Request for Quotation can be accessed by clicking on the following button,見積依頼には、次のボタンをクリックしてアクセスできます。, +Regards,よろしく, +Please click on the following button to set your new password,次のボタンをクリックして、新しいパスワードを設定してください, +Update Password,パスワードの更新, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},行#{}:アイテム{}の販売率はその{}よりも低くなっています。 {}の販売は少なくとも{}である必要があります, +You can alternatively disable selling price validation in {} to bypass this validation.,または、{}で販売価格の検証を無効にして、この検証をバイパスすることもできます。, +Invalid Selling Price,無効な販売価格, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,住所は会社にリンクする必要があります。リンクテーブルに会社の行を追加してください。, +Company Not Linked,リンクされていない会社, +Import Chart of Accounts from CSV / Excel files,CSV / Excelファイルから勘定科目表をインポートする, +Completed Qty cannot be greater than 'Qty to Manufacture',完了数量は「製造数量」を超えることはできません, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",行{0}:サプライヤー{1}の場合、Eメールを送信するにはEメールアドレスが必要です, diff --git a/erpnext/translations/km.csv b/erpnext/translations/km.csv index 56b9c4b025..12abed602c 100644 --- a/erpnext/translations/km.csv +++ b/erpnext/translations/km.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,បន្ទ Chargeble,អាចសាកបាន។, Charges are updated in Purchase Receipt against each item,ការចោទប្រកាន់ត្រូវបានធ្វើបច្ចុប្បន្នភាពនៅបង្កាន់ដៃទិញប្រឆាំងនឹងធាតុគ្នា, "Charges will be distributed proportionately based on item qty or amount, as per your selection",បទចោទប្រកាន់នឹងត្រូវបានចែកដោយផ្អែកលើធាតុ qty សមាមាត្រឬបរិមាណជាមួយជម្រើសរបស់អ្នក, -Chart Of Accounts,គំនូសតាងគណនី, Chart of Cost Centers,គំនូសតាងនៃមជ្ឈមណ្ឌលការចំណាយ, Check all,សូមពិនិត្យមើលទាំងអស់, Checkout,ពិនិត្យមុនពេលចេញ, @@ -581,7 +580,6 @@ Company {0} does not exist,ក្រុមហ៊ុន {0} មិនមានទ Compensatory Off,ទូទាត់បិទ, Compensatory leave request days not in valid holidays,ថ្ងៃស្នើសុំការឈប់សម្រាកមិនមានថ្ងៃឈប់សម្រាកត្រឹមត្រូវ, Complaint,បណ្តឹង, -Completed Qty can not be greater than 'Qty to Manufacture',Qty បានបញ្ចប់មិនអាចជាធំជាង Qty ដើម្បីផលិត ", Completion Date,កាលបរិច្ឆេទបញ្ចប់, Computer,កុំព្យូទ័រ, Condition,លក្ខខណ្ឌ, @@ -2033,7 +2031,6 @@ Please select Category first,សូមជ្រើសប្រភេទជាល Please select Charge Type first,សូមជ្រើសប្រភេទទទួលបន្ទុកជាលើកដំបូង, Please select Company,សូមជ្រើសរើសក្រុមហ៊ុន, Please select Company and Designation,សូមជ្រើសរើសក្រុមហ៊ុននិងការកំណត់, -Please select Company and Party Type first,សូមជ្រើសប្រភេទក្រុមហ៊ុននិងបក្សទីមួយ, Please select Company and Posting Date to getting entries,សូមជ្រើសរើសក្រុមហ៊ុននិងកាលបរិច្ឆេទប្រកាសដើម្បីទទួលបានធាតុ, Please select Company first,សូមជ្រើសរើសក្រុមហ៊ុនដំបូង, Please select Completion Date for Completed Asset Maintenance Log,សូមជ្រើសកាលបរិច្ឆេទបញ្ចប់សម្រាប់កំណត់ហេតុថែរក្សាទ្រព្យសម្បត្តិរួចរាល់, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,ឈ្មោ The name of your company for which you are setting up this system.,ឈ្មោះរបស់ក្រុមហ៊ុនរបស់អ្នកដែលអ្នកកំពុងបង្កើតប្រព័ន្ធនេះ។, The number of shares and the share numbers are inconsistent,ចំនួនភាគហ៊ុននិងលេខភាគហ៊ុនមិនសមស្រប, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,គណនីច្រកទូទាត់នៅក្នុងគម្រោង {0} គឺខុសពីគណនីទូទាត់ប្រាក់នៅក្នុងការបង់ប្រាក់នេះ, -The request for quotation can be accessed by clicking on the following link,សំណើរសម្រាប់សម្រង់នេះអាចត្រូវបានចូលដំណើរការដោយចុចលើតំណខាងក្រោម, The selected BOMs are not for the same item,នេះ BOMs បានជ្រើសរើសគឺមិនមែនសម្រាប់ធាតុដូចគ្នា, The selected item cannot have Batch,ធាតុដែលបានជ្រើសមិនអាចមានជំនាន់ទី, The seller and the buyer cannot be the same,អ្នកលក់និងអ្នកទិញមិនអាចមានលក្ខណៈដូចគ្នាទេ, @@ -3543,7 +3539,6 @@ Company GSTIN,ក្រុមហ៊ុន GSTIN, Company field is required,វាលក្រុមហ៊ុនត្រូវបានទាមទារ។, Creating Dimensions...,កំពុងបង្កើតវិមាត្រ ..., Duplicate entry against the item code {0} and manufacturer {1},ស្ទួនធាតុប្រឆាំងនឹងកូដធាតុ {0} និងក្រុមហ៊ុនផលិត {1}, -Import Chart Of Accounts from CSV / Excel files,នាំចូលតារាងតម្លៃគណនីពីឯកសារស៊ីអេសអេស / អេហ្វអេស។, 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 មិនមែនអ្នកស្នាក់នៅ។, Invoice Grand Total,វិក្ក័យបត្រសរុប។, Last carbon check date cannot be a future date,កាលបរិច្ឆេទពិនិត្យកាបូនចុងក្រោយមិនអាចជាកាលបរិច្ឆេទនាពេលអនាគតទេ។, @@ -3920,7 +3915,6 @@ Plaid authentication error,កំហុសក្នុងការផ្ទៀ Plaid public token error,កំហុសនិមិត្តសញ្ញាសាធារណៈរបស់ Plaid ។, Plaid transactions sync error,កំហុសក្នុងការធ្វើសមកាលកម្មប្រតិបត្តិការ Plaid ។, Please check the error log for details about the import errors,សូមពិនិត្យកំណត់ហេតុកំហុសសម្រាប់ព័ត៌មានលម្អិតអំពីកំហុសនាំចូល។, -Please click on the following link to set your new password,សូមចុចលើតំណខាងក្រោមដើម្បីកំណត់ពាក្យសម្ងាត់ថ្មីរបស់អ្នក, Please create DATEV Settings for Company {}.,សូមបង្កើត ការកំណត់ DATEV សម្រាប់ក្រុមហ៊ុន {} ។, Please create adjustment Journal Entry for amount {0} ,សូមបង្កើតការកែសម្រួលទិនានុប្បវត្តិធាតុសម្រាប់ចំនួន {0}, Please do not create more than 500 items at a time,សូមកុំបង្កើតរបស់របរច្រើនជាង ៥០០ ក្នុងពេលតែមួយ។, @@ -4043,7 +4037,6 @@ Search results for,លទ្ធផលស្វែងរកសម្រាប់, Select All,ជ្រើសទាំងអស់, Select Difference Account,ជ្រើសរើសគណនីខុសគ្នា។, Select a Default Priority.,ជ្រើសអាទិភាពលំនាំដើម។, -Select a Supplier from the Default Supplier List of the items below.,ជ្រើសរើសអ្នកផ្គត់ផ្គង់ពីបញ្ជីអ្នកផ្គត់ផ្គង់លំនាំដើមនៃធាតុខាងក្រោម។, Select a company,ជ្រើសរើសក្រុមហ៊ុន។, Select finance book for the item {0} at row {1},ជ្រើសរើសសៀវភៅហិរញ្ញវត្ថុសម្រាប់ធាតុ {០} នៅជួរ {១}, Select only one Priority as Default.,ជ្រើសអាទិភាពមួយជាលំនាំដើម។, @@ -4247,7 +4240,6 @@ Yes,បាទ, Actual ,ពិតប្រាកដ, Add to cart,បញ្ចូលទៅក្នុងរទេះ, Budget,ថវិការ, -Chart Of Accounts Importer,តារាងនាំចូលគណនី។, Chart of Accounts,តារាងគណនី, Customer database.,មូលដ្ឋានទិន្នន័យអតិថិជន។, Days Since Last order,ថ្ងៃចាប់ពីលំដាប់ចុងក្រោយ, @@ -4939,7 +4931,6 @@ Closing Account Head,បិទនាយកគណនី, POS Customer Group,ក្រុមផ្ទាល់ខ្លួនម៉ាស៊ីនឆូតកាត, POS Field,វាលម៉ាស៊ីនឆូតកាត, POS Item Group,គ្រុបធាតុម៉ាស៊ីនឆូតកាត, -[Select],[ជ្រើសរើស], Company Address,អាសយដ្ឋានរបស់ក្រុមហ៊ុន, Update Stock,ធ្វើឱ្យទាន់សម័យហ៊ុន, Ignore Pricing Rule,មិនអើពើវិធានតម្លៃ, @@ -6597,11 +6588,6 @@ Relieving Date,កាលបរិច្ឆេទបន្ថយ, Reason for Leaving,ហេតុផលសម្រាប់ការចាកចេញ, Leave Encashed?,ទុកឱ្យ Encashed?, Encashment Date,Encashment កាលបរិច្ឆេទ, -Exit Interview Details,ពត៌មានលំអិតចេញពីការសម្ភាសន៍, -Held On,ប្រារព្ធឡើងនៅថ្ងៃទី, -Reason for Resignation,ហេតុផលសម្រាប់ការលាលែងពីតំណែង, -Better Prospects,ទស្សនវិស័យល្អប្រសើរជាងមុន, -Health Concerns,ការព្រួយបារម្ភសុខភាព, New Workplace,ញូការងារ, HR-EAD-.YYYY.-,HR-EAD -YYYY.-, Returned Amount,ចំនួនទឹកប្រាក់ត្រឡប់មកវិញ, @@ -8237,9 +8223,6 @@ Landed Cost Help,ជំនួយការចំណាយបានចុះចត Manufacturers used in Items,ក្រុមហ៊ុនផលិតដែលត្រូវបានប្រើនៅក្នុងធាតុ, Limited to 12 characters,កំណត់ទៅជា 12 តួអក្សរ, MAT-MR-.YYYY.-,MAT-MR-YYYY.-, -Set Warehouse,កំណត់ឃ្លាំង, -Sets 'For Warehouse' in each row of the Items table.,កំណត់ 'សម្រាប់ឃ្លាំង' នៅក្នុងជួរនីមួយៗនៃតារាងធាតុ។, -Requested For,ស្នើសម្រាប់, Partially Ordered,បានបញ្ជាទិញដោយផ្នែក, Transferred,ផ្ទេរ, % Ordered,% បានបញ្ជា(ទិញឬលក់), @@ -8688,8 +8671,6 @@ Material Request Warehouse,ឃ្លាំងស្នើសុំសម្ភ Select warehouse for material requests,ជ្រើសរើសឃ្លាំងសម្រាប់ការស្នើសុំសម្ភារៈ, Transfer Materials For Warehouse {0},ផ្ទេរសម្ភារៈសម្រាប់ឃ្លាំង {0}, Production Plan Material Request Warehouse,សម្ភារៈស្នើសុំផែនការផលិតកម្មឃ្លាំង, -Set From Warehouse,កំណត់ពីឃ្លាំង, -Source Warehouse (Material Transfer),ឃ្លាំងប្រភព (ផ្ទេរសម្ភារៈ), Sets 'Source Warehouse' in each row of the items table.,កំណត់ 'ឃ្លាំងប្រភព' នៅក្នុងជួរនីមួយៗនៃតារាងធាតុ។, Sets 'Target Warehouse' in each row of the items table.,កំណត់ 'ឃ្លាំងគោលដៅ' នៅក្នុងជួរនីមួយៗនៃតារាងធាតុ។, Show Cancelled Entries,បង្ហាញធាតុដែលបានបោះបង់, @@ -9155,7 +9136,6 @@ Professional Tax,ពន្ធវិជ្ជាជីវៈ, Is Income Tax Component,គឺជាសមាសធាតុពន្ធលើប្រាក់ចំណូល, Component properties and references ,លក្ខណៈសម្បត្តិនិងឯកសារយោង, Additional Salary ,ប្រាក់ខែបន្ថែម, -Condtion and formula,លក្ខខណ្ឌនិងរូបមន្ត, Unmarked days,ថ្ងៃដែលមិនបានសម្គាល់, Absent Days,ថ្ងៃអវត្តមាន, Conditions and Formula variable and example,លក្ខខណ្ឌនិងអថេររូបមន្តនិងឧទាហរណ៍, @@ -9442,7 +9422,6 @@ Plaid invalid request error,កំហុសសំណើមិនត្រឹម Please check your Plaid client ID and secret values,សូមពិនិត្យលេខសម្គាល់អតិថិជន Plaid និងតម្លៃសំងាត់, Bank transaction creation error,កំហុសក្នុងការបង្កើតប្រតិបត្តិការធនាគារ, Unit of Measurement,ឯកតារង្វាស់, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},ជួរដេក # {}៖ អត្រាលក់របស់ធាតុ {} ទាបជាង {} របស់វា។ អត្រាលក់គួរតែមានភាពអន់បំផុត {}, Fiscal Year {0} Does Not Exist,ឆ្នាំសារពើពន្ធ {០} មិនមានទេ, Row # {0}: Returned Item {1} does not exist in {2} {3},ជួរដេក # {០}៖ ធាតុដែលបានត្រឡប់ {១} មិនមាននៅក្នុង {២} {៣}, Valuation type charges can not be marked as Inclusive,ការចោទប្រកាន់ប្រភេទតម្លៃមិនអាចត្រូវបានសម្គាល់ថារាប់បញ្ចូលនោះទេ, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,កំណត Response Time for {0} priority in row {1} can't be greater than Resolution Time.,ពេលវេលាឆ្លើយតបសម្រាប់ {0} អាទិភាពក្នុងជួរដេក {1} មិនអាចធំជាងពេលវេលាដោះស្រាយបានទេ។, {0} is not enabled in {1},{0} មិនត្រូវបានបើកនៅក្នុង {1}, Group by Material Request,ដាក់ជាក្រុមតាមសំណើសម្ភារៈ, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",ជួរដេក {0}៖ សម្រាប់អ្នកផ្គត់ផ្គង់ {0} អាស័យដ្ឋានអ៊ីម៉ែលគឺត្រូវការផ្ញើអ៊ីមែល, Email Sent to Supplier {0},អ៊ីមែលបានផ្ញើទៅអ្នកផ្គត់ផ្គង់ {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",សិទ្ធិទទួលបានការស្នើសុំដកស្រង់ពីវិបផតថលត្រូវបានបិទ។ ដើម្បីអនុញ្ញាតការចូលប្រើបើកវានៅក្នុងការកំណត់វិបផតថល។, Supplier Quotation {0} Created,សម្រង់អ្នកផ្គត់ផ្គង់ {០} បង្កើត, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},ទំងន់សរុ Account {0} exists in parent company {1}.,គណនី {0} មាននៅក្នុងក្រុមហ៊ុនមេ {1} ។, "To overrule this, enable '{0}' in company {1}",ដើម្បីបដិសេធរឿងនេះបើកដំណើរការ '{0}' នៅក្នុងក្រុមហ៊ុន {1}, Invalid condition expression,ការបង្ហាញលក្ខខណ្ឌមិនត្រឹមត្រូវ, +Please Select a Company First,សូមជ្រើសរើសក្រុមហ៊ុនជាមុនសិន, +Please Select Both Company and Party Type First,សូមជ្រើសរើសទាំងក្រុមហ៊ុននិងប្រភេទគណបក្សជាមុនសិន, +Provide the invoice portion in percent,ផ្តល់ចំណែកវិក័យប័ត្រគិតជាភាគរយ, +Give number of days according to prior selection,ផ្តល់ចំនួនថ្ងៃយោងទៅតាមការជ្រើសរើសមុន, +Email Details,ព័ត៌មានលម្អិតអ៊ីមែល, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","ជ្រើសរើសការស្វាគមន៍សម្រាប់អ្នកទទួល។ ឧ។ លោក, លោកស្រី, ល។", +Preview Email,មើលអ៊ីមែលជាមុន, +Please select a Supplier,សូមជ្រើសរើសអ្នកផ្គត់ផ្គង់, +Supplier Lead Time (days),ពេលវេលានាំមុខអ្នកផ្គត់ផ្គង់ (ថ្ងៃ), +"Home, Work, etc.",ផ្ទះកន្លែងធ្វើការ។ ល។, +Exit Interview Held On,ការសំភាសន៍ចាកចេញបានធ្វើឡើង, +Condition and formula,លក្ខខណ្ឌនិងរូបមន្ត, +Sets 'Target Warehouse' in each row of the Items table.,កំណត់ 'ឃ្លាំងគោលដៅ' នៅក្នុងជួរនីមួយៗនៃតារាងធាតុ។, +Sets 'Source Warehouse' in each row of the Items table.,កំណត់ 'ឃ្លាំងប្រភព' នៅក្នុងជួរនីមួយៗនៃតារាងធាតុ។, +POS Register,ចុះឈ្មោះម៉ាស៊ីនឆូតកាត, +"Can not filter based on POS Profile, if grouped by POS Profile",មិនអាចច្រោះដោយផ្អែកលើ POS Profile ទេប្រសិនបើត្រូវបានដាក់ជាក្រុមដោយ POS Profile, +"Can not filter based on Customer, if grouped by Customer",មិនអាចច្រោះដោយផ្អែកលើអតិថិជនប្រសិនបើដាក់ជាក្រុមដោយអតិថិជន, +"Can not filter based on Cashier, if grouped by Cashier",មិនអាចច្រោះដោយផ្អែកលើបេឡាករបានទេប្រសិនបើដាក់ជាក្រុមដោយបេឡាករ, +Payment Method,វិធីសាស្រ្តទូទាត់, +"Can not filter based on Payment Method, if grouped by Payment Method",មិនអាចច្រោះដោយផ្អែកលើវិធីបង់ប្រាក់ប្រសិនបើដាក់ជាក្រុមដោយវិធីបង់ប្រាក់, +Supplier Quotation Comparison,ការប្រៀបធៀបសម្រង់អ្នកផ្គត់ផ្គង់, +Price per Unit (Stock UOM),តម្លៃក្នុងមួយឯកតា (ស្តុក UOM), +Group by Supplier,ដាក់ជាក្រុមដោយអ្នកផ្គត់ផ្គង់, +Group by Item,ដាក់ជាក្រុមតាមធាតុ, +Remember to set {field_label}. It is required by {regulation}.,កុំភ្លេចកំណត់ {វាល - ស្លាក} ។ វាត្រូវបានទាមទារដោយ {បទប្បញ្ញត្តិ} ។, +Enrollment Date cannot be before the Start Date of the Academic Year {0},កាលបរិច្ឆេទចុះឈ្មោះចូលរៀនមិនអាចនៅមុនកាលបរិច្ឆេទចាប់ផ្តើមនៃឆ្នាំសិក្សា {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},កាលបរិច្ឆេទចុះឈ្មោះចូលរៀនមិនអាចនៅក្រោយកាលបរិច្ឆេទបញ្ចប់នៃរយៈពេលសិក្សា {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},កាលបរិច្ឆេទចុះឈ្មោះចូលរៀនមិនអាចនៅមុនកាលបរិច្ឆេទចាប់ផ្ដើមនៃរយៈពេលសិក្សា {០}, +Posting future transactions are not allowed due to Immutable Ledger,ការបិទផ្សាយនូវប្រតិបត្តិការនាពេលអនាគតមិនត្រូវបានអនុញ្ញាតទេដោយសារតែមិនអាចកែប្រែបាន, +Future Posting Not Allowed,ការបិទផ្សាយអនាគតមិនត្រូវបានអនុញ្ញាតទេ, +"To enable Capital Work in Progress Accounting, ",ដើម្បីបើកដំណើរការគណនេយ្យនៅក្នុងវឌ្ឍនភាពគណនេយ្យ, +you must select Capital Work in Progress Account in accounts table,អ្នកត្រូវជ្រើសរើសគណនីដើមទុនក្នុងដំណើរការវឌ្ឍនភាពនៅក្នុងតារាងគណនី, +You can also set default CWIP account in Company {},អ្នកក៏អាចកំណត់គណនី CWIP លំនាំដើមនៅក្នុងក្រុមហ៊ុន {}, +The Request for Quotation can be accessed by clicking on the following button,ការស្នើសុំដកស្រង់អាចចូលបានដោយចុចលើប៊ូតុងខាងក្រោម, +Regards,ដោយក្តីគោរព, +Please click on the following button to set your new password,សូមចុចលើប៊ូតុងខាងក្រោមដើម្បីកំណត់លេខសំងាត់ថ្មីរបស់អ្នក, +Update Password,ពាក្យសម្ងាត់ធ្វើបច្ចុប្បន្នភាព, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},ជួរដេក # {}៖ អត្រាលក់របស់ធាតុ {} ទាបជាង {} របស់វា។ ការលក់ {} គួរតែមានភាពអន់បំផុត {}, +You can alternatively disable selling price validation in {} to bypass this validation.,អ្នកអាចជំនួសការលក់សុពលភាពតម្លៃនៅក្នុង {} ដើម្បីចៀសវៀងសុពលភាពនេះ។, +Invalid Selling Price,តំលៃលក់មិនត្រឹមត្រូវ, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,អាសយដ្ឋានត្រូវភ្ជាប់ទៅក្រុមហ៊ុន។ សូមបន្ថែមជួរសម្រាប់ក្រុមហ៊ុននៅក្នុងតារាងតំណ។, +Company Not Linked,ក្រុមហ៊ុនមិនភ្ជាប់, +Import Chart of Accounts from CSV / Excel files,នាំចូលតារាងតម្លៃគណនីពីឯកសារស៊ីអេសអេស / អេហ្វអេស, +Completed Qty cannot be greater than 'Qty to Manufacture',Qty ដែលបានបញ្ចប់មិនអាចធំជាង“ Qty to Manufacturing” ទេ។, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",ជួរដេក {0}៖ សម្រាប់អ្នកផ្គត់ផ្គង់ {1} អាស័យដ្ឋានអ៊ីមែលត្រូវបានទាមទារដើម្បីផ្ញើអ៊ីមែល, diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv index f4ea67995e..9ca4776fc5 100644 --- a/erpnext/translations/kn.csv +++ b/erpnext/translations/kn.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,ಮಾದರ Chargeble,ಚಾರ್ಜ್ ಮಾಡಬಹುದಾದ, Charges are updated in Purchase Receipt against each item,ಆರೋಪಗಳನ್ನು ಪ್ರತಿ ಐಟಂ ವಿರುದ್ಧ ಖರೀದಿ ರಿಸೀಟ್ನ್ನು ನವೀಕರಿಸಲಾಗುವುದು, "Charges will be distributed proportionately based on item qty or amount, as per your selection","ಆರೋಪಗಳನ್ನು ಸೂಕ್ತ ಪ್ರಮಾಣದಲ್ಲಿ ನಿಮ್ಮ ಆಯ್ಕೆಯ ಪ್ರಕಾರ, ಐಟಂ ಪ್ರಮಾಣ ಅಥವಾ ಪ್ರಮಾಣವನ್ನು ಆಧರಿಸಿ ಹಂಚಲಾಗುತ್ತದೆ", -Chart Of Accounts,ಖಾತೆಗಳ ಚಾರ್ಟ್, Chart of Cost Centers,ವೆಚ್ಚ ಸೆಂಟರ್ಸ್ ಚಾರ್ಟ್, Check all,ಎಲ್ಲಾ ಪರಿಶೀಲಿಸಿ, Checkout,ಚೆಕ್ಔಟ್, @@ -581,7 +580,6 @@ Company {0} does not exist,ಕಂಪನಿ {0} ಅಸ್ತಿತ್ವದಲ್ Compensatory Off,ಪರಿಹಾರ ಆಫ್, Compensatory leave request days not in valid holidays,ಕಾಂಪೆನ್ಸೇಟರಿ ರಜೆ ವಿನಂತಿಯ ದಿನಗಳು ಮಾನ್ಯ ರಜಾದಿನಗಳಲ್ಲಿಲ್ಲ, Complaint,ದೂರು, -Completed Qty can not be greater than 'Qty to Manufacture',ಹೆಚ್ಚು 'ಪ್ರಮಾಣ ತಯಾರಿಸಲು' ಮುಗಿದಿದೆ ಪ್ರಮಾಣ ಹೆಚ್ಚಾಗಿರುವುದು ಸಾಧ್ಯವಿಲ್ಲ, Completion Date,ಪೂರ್ಣಗೊಳ್ಳುವ ದಿನಾಂಕ, Computer,ಗಣಕಯಂತ್ರ, Condition,ಪರಿಸ್ಥಿತಿ, @@ -2033,7 +2031,6 @@ Please select Category first,ಮೊದಲ ವರ್ಗ ಆಯ್ಕೆ ಮಾ Please select Charge Type first,ಮೊದಲ ಬ್ಯಾಚ್ ಪ್ರಕಾರವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ, Please select Company,ಕಂಪನಿ ಆಯ್ಕೆಮಾಡಿ, Please select Company and Designation,ಕಂಪನಿ ಮತ್ತು ಸ್ಥಾನೀಕರಣವನ್ನು ಆಯ್ಕೆಮಾಡಿ, -Please select Company and Party Type first,ಮೊದಲ ಕಂಪನಿ ಮತ್ತು ಪಕ್ಷದ ಕೌಟುಂಬಿಕತೆ ಆಯ್ಕೆ ಮಾಡಿ, Please select Company and Posting Date to getting entries,ನಮೂದುಗಳನ್ನು ಪಡೆಯಲು ಕಂಪನಿ ಮತ್ತು ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕವನ್ನು ಆಯ್ಕೆಮಾಡಿ, Please select Company first,ಮೊದಲ ಕಂಪನಿ ಆಯ್ಕೆ ಮಾಡಿ, Please select Completion Date for Completed Asset Maintenance Log,ದಯವಿಟ್ಟು ಪೂರ್ಣಗೊಂಡ ಆಸ್ತಿ ನಿರ್ವಹಣೆ ಲಾಗ್ಗಾಗಿ ಪೂರ್ಣಗೊಂಡ ದಿನಾಂಕವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,ಸಂಸ್ The name of your company for which you are setting up this system.,ನೀವು ಈ ಗಣಕವನ್ನು ಹೊಂದಿಸುವ ಇದು ನಿಮ್ಮ ಕಂಪನಿ ಹೆಸರು ., The number of shares and the share numbers are inconsistent,ಷೇರುಗಳ ಸಂಖ್ಯೆ ಮತ್ತು ಷೇರು ಸಂಖ್ಯೆಗಳು ಅಸಮಂಜಸವಾಗಿದೆ, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,{0} ಯೋಜನೆಯಲ್ಲಿ ಪಾವತಿ ಗೇಟ್ವೇ ಖಾತೆ ಈ ಪಾವತಿ ವಿನಂತಿಯಲ್ಲಿ ಪಾವತಿ ಗೇಟ್ವೇ ಖಾತೆಯಿಂದ ಭಿನ್ನವಾಗಿದೆ, -The request for quotation can be accessed by clicking on the following link,ಉದ್ಧರಣ ವಿನಂತಿಯನ್ನು ಕೆಳಗಿನ ಲಿಂಕ್ ಕ್ಲಿಕ್ಕಿಸಿ ನಿಲುಕಿಸಿಕೊಳ್ಳಬಹುದು, The selected BOMs are not for the same item,ಆಯ್ಕೆ BOMs ಒಂದೇ ಐಟಂ ಅಲ್ಲ, The selected item cannot have Batch,ಆಯ್ದುಕೊಂಡ ಬ್ಯಾಚ್ ಹೊಂದುವಂತಿಲ್ಲ, The seller and the buyer cannot be the same,ಮಾರಾಟಗಾರ ಮತ್ತು ಖರೀದಿದಾರರು ಒಂದೇ ಆಗಿರುವುದಿಲ್ಲ, @@ -3543,7 +3539,6 @@ Company GSTIN,ಕಂಪನಿ GSTIN, Company field is required,ಕಂಪನಿ ಕ್ಷೇತ್ರದ ಅಗತ್ಯವಿದೆ, Creating Dimensions...,ಆಯಾಮಗಳನ್ನು ರಚಿಸಲಾಗುತ್ತಿದೆ ..., Duplicate entry against the item code {0} and manufacturer {1},ಐಟಂ ಕೋಡ್ {0} ಮತ್ತು ತಯಾರಕ {1} ವಿರುದ್ಧ ನಕಲು ಪ್ರವೇಶ, -Import Chart Of Accounts from CSV / Excel files,CSV / Excel ಫೈಲ್‌ಗಳಿಂದ ಖಾತೆಗಳ ಚಾರ್ಟ್ ಅನ್ನು ಆಮದು ಮಾಡಿ, Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,ಅಮಾನ್ಯ GSTIN! ನೀವು ನಮೂದಿಸಿದ ಇನ್ಪುಟ್ ಯುಐಎನ್ ಹೊಂದಿರುವವರು ಅಥವಾ ಅನಿವಾಸಿ ಒಐಡಿಎಆರ್ ಸೇವಾ ಪೂರೈಕೆದಾರರಿಗೆ ಜಿಎಸ್ಟಿಎನ್ ಸ್ವರೂಪಕ್ಕೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ, Invoice Grand Total,ಸರಕುಪಟ್ಟಿ ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು, Last carbon check date cannot be a future date,ಕೊನೆಯ ಇಂಗಾಲದ ಪರಿಶೀಲನಾ ದಿನಾಂಕ ಭವಿಷ್ಯದ ದಿನಾಂಕವಾಗಿರಬಾರದು, @@ -3920,7 +3915,6 @@ Plaid authentication error,ಪ್ಲೈಡ್ ದೃ hentic ೀಕರಣ ದೋ Plaid public token error,ಸಾರ್ವಜನಿಕ ಟೋಕನ್ ದೋಷ, Plaid transactions sync error,ಪ್ಲೈಡ್ ವಹಿವಾಟುಗಳು ಸಿಂಕ್ ದೋಷ, Please check the error log for details about the import errors,ಆಮದು ದೋಷಗಳ ವಿವರಗಳಿಗಾಗಿ ದಯವಿಟ್ಟು ದೋಷ ಲಾಗ್ ಅನ್ನು ಪರಿಶೀಲಿಸಿ, -Please click on the following link to set your new password,ನಿಮ್ಮ ಹೊಸ ಗುಪ್ತಪದವನ್ನು ಕೆಳಗಿನ ಲಿಂಕ್ ಅನ್ನು ಕ್ಲಿಕ್ ಮಾಡಿ, Please create DATEV Settings for Company {}.,ದಯವಿಟ್ಟು ಕಂಪೆನಿಗೆ DATEV ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು {ರಚಿಸಲು}., Please create adjustment Journal Entry for amount {0} ,ದಯವಿಟ್ಟು value 0 ಮೊತ್ತಕ್ಕೆ ಹೊಂದಾಣಿಕೆ ಜರ್ನಲ್ ನಮೂದನ್ನು ರಚಿಸಿ, Please do not create more than 500 items at a time,ದಯವಿಟ್ಟು ಒಂದು ಸಮಯದಲ್ಲಿ 500 ಕ್ಕೂ ಹೆಚ್ಚು ವಸ್ತುಗಳನ್ನು ರಚಿಸಬೇಡಿ, @@ -4043,7 +4037,6 @@ Search results for,ಹುಡುಕಾಟ ಫಲಿತಾಂಶಗಳು, Select All,ಎಲ್ಲಾ ಆಯ್ಕೆಮಾಡಿ, Select Difference Account,ವ್ಯತ್ಯಾಸ ಖಾತೆ ಆಯ್ಕೆಮಾಡಿ, Select a Default Priority.,ಡೀಫಾಲ್ಟ್ ಆದ್ಯತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ., -Select a Supplier from the Default Supplier List of the items below.,ಕೆಳಗಿನ ಐಟಂಗಳ ಡೀಫಾಲ್ಟ್ ಸರಬರಾಜುದಾರರ ಪಟ್ಟಿಯಿಂದ ಸರಬರಾಜುದಾರರನ್ನು ಆಯ್ಕೆಮಾಡಿ., Select a company,ಕಂಪನಿಯನ್ನು ಆಯ್ಕೆ ಮಾಡಿ, Select finance book for the item {0} at row {1},{1 row ಸಾಲಿನಲ್ಲಿ {0 item ಐಟಂಗೆ ಹಣಕಾಸು ಪುಸ್ತಕವನ್ನು ಆಯ್ಕೆಮಾಡಿ, Select only one Priority as Default.,ಡೀಫಾಲ್ಟ್ ಆಗಿ ಕೇವಲ ಒಂದು ಆದ್ಯತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ., @@ -4247,7 +4240,6 @@ Yes,ಹೌದು, Actual ,ವಾಸ್ತವಿಕ, Add to cart,ಕಾರ್ಟ್ ಸೇರಿಸಿ, Budget,ಮುಂಗಡಪತ್ರ, -Chart Of Accounts Importer,ಖಾತೆಗಳ ಆಮದುದಾರರ ಚಾರ್ಟ್, Chart of Accounts,ಖಾತೆಗಳ ಚಾರ್ಟ್, Customer database.,ಗ್ರಾಹಕ ಡೇಟಾಬೇಸ್., Days Since Last order,ದಿನಗಳಿಂದಲೂ ಕೊನೆಯ ಆರ್ಡರ್, @@ -4939,7 +4931,6 @@ Closing Account Head,ಖಾತೆ ಮುಚ್ಚುವಿಕೆಗೆ ಹೆಡ POS Customer Group,ಪಿಓಎಸ್ ಗ್ರಾಹಕ ಗುಂಪಿನ, POS Field,ಪಿಒಎಸ್ ಕ್ಷೇತ್ರ, POS Item Group,ಪಿಓಎಸ್ ಐಟಂ ಗ್ರೂಪ್, -[Select],[ ಆರಿಸಿರಿ ], Company Address,ಕಂಪೆನಿ ವಿಳಾಸ, Update Stock,ಸ್ಟಾಕ್ ನವೀಕರಿಸಲು, Ignore Pricing Rule,ಬೆಲೆ ರೂಲ್ ನಿರ್ಲಕ್ಷಿಸು, @@ -6597,11 +6588,6 @@ Relieving Date,ದಿನಾಂಕ ನಿವಾರಿಸುವ, Reason for Leaving,ಲೀವಿಂಗ್ ಕಾರಣ, Leave Encashed?,Encashed ಬಿಡಿ ?, Encashment Date,ನಗದೀಕರಣ ದಿನಾಂಕ, -Exit Interview Details,ಎಕ್ಸಿಟ್ ಸಂದರ್ಶನ ವಿವರಗಳು, -Held On,ನಡೆದ, -Reason for Resignation,ರಾಜೀನಾಮೆಗೆ ಕಾರಣ, -Better Prospects,ಉತ್ತಮ ಜೀವನ, -Health Concerns,ಆರೋಗ್ಯ ಕಾಳಜಿ, New Workplace,ಹೊಸ ಕೆಲಸದ, HR-EAD-.YYYY.-,HR-EAD-YYYY.-, Returned Amount,ಹಿಂತಿರುಗಿದ ಮೊತ್ತ, @@ -8237,9 +8223,6 @@ Landed Cost Help,ಇಳಿಯಿತು ವೆಚ್ಚ ಸಹಾಯ, Manufacturers used in Items,ವಸ್ತುಗಳ ತಯಾರಿಕೆಯಲ್ಲಿ ತಯಾರಕರು, Limited to 12 characters,"12 ಪಾತ್ರಗಳು,", MAT-MR-.YYYY.-,MAT-MR-YYYY.-, -Set Warehouse,ಗೋದಾಮು ಹೊಂದಿಸಿ, -Sets 'For Warehouse' in each row of the Items table.,ಐಟಂಗಳ ಕೋಷ್ಟಕದ ಪ್ರತಿಯೊಂದು ಸಾಲಿನಲ್ಲಿ 'ಗೋದಾಮಿಗಾಗಿ' ಹೊಂದಿಸುತ್ತದೆ., -Requested For,ಮನವಿ, Partially Ordered,ಭಾಗಶಃ ಆದೇಶಿಸಲಾಗಿದೆ, Transferred,ವರ್ಗಾಯಿಸಲ್ಪಟ್ಟ, % Ordered,% ಆದೇಶ, @@ -8688,8 +8671,6 @@ Material Request Warehouse,ವಸ್ತು ವಿನಂತಿ ಗೋದಾಮು Select warehouse for material requests,ವಸ್ತು ವಿನಂತಿಗಳಿಗಾಗಿ ಗೋದಾಮು ಆಯ್ಕೆಮಾಡಿ, Transfer Materials For Warehouse {0},ಗೋದಾಮಿನ ಸಾಮಗ್ರಿಗಳನ್ನು ವರ್ಗಾಯಿಸಿ {0}, Production Plan Material Request Warehouse,ಉತ್ಪಾದನಾ ಯೋಜನೆ ವಸ್ತು ವಿನಂತಿ ಗೋದಾಮು, -Set From Warehouse,ಗೋದಾಮಿನಿಂದ ಹೊಂದಿಸಿ, -Source Warehouse (Material Transfer),ಮೂಲ ಗೋದಾಮು (ವಸ್ತು ವರ್ಗಾವಣೆ), Sets 'Source Warehouse' in each row of the items table.,ಐಟಂಗಳ ಟೇಬಲ್‌ನ ಪ್ರತಿಯೊಂದು ಸಾಲಿನಲ್ಲಿ 'ಮೂಲ ಗೋದಾಮು' ಹೊಂದಿಸುತ್ತದೆ., Sets 'Target Warehouse' in each row of the items table.,ಐಟಂಗಳ ಟೇಬಲ್‌ನ ಪ್ರತಿಯೊಂದು ಸಾಲಿನಲ್ಲಿ 'ಟಾರ್ಗೆಟ್ ವೇರ್‌ಹೌಸ್' ಅನ್ನು ಹೊಂದಿಸುತ್ತದೆ., Show Cancelled Entries,ರದ್ದಾದ ನಮೂದುಗಳನ್ನು ತೋರಿಸಿ, @@ -9155,7 +9136,6 @@ Professional Tax,ವೃತ್ತಿಪರ ತೆರಿಗೆ, Is Income Tax Component,ಆದಾಯ ತೆರಿಗೆ ಘಟಕವಾಗಿದೆ, Component properties and references ,ಘಟಕ ಗುಣಲಕ್ಷಣಗಳು ಮತ್ತು ಉಲ್ಲೇಖಗಳು, Additional Salary ,ಹೆಚ್ಚುವರಿ ಸಂಬಳ, -Condtion and formula,ಸ್ಥಿತಿ ಮತ್ತು ಸೂತ್ರ, Unmarked days,ಗುರುತು ಹಾಕದ ದಿನಗಳು, Absent Days,ಅನುಪಸ್ಥಿತಿಯ ದಿನಗಳು, Conditions and Formula variable and example,ಷರತ್ತುಗಳು ಮತ್ತು ಫಾರ್ಮುಲಾ ವೇರಿಯಬಲ್ ಮತ್ತು ಉದಾಹರಣೆ, @@ -9442,7 +9422,6 @@ Plaid invalid request error,ಪ್ಲೈಡ್ ಅಮಾನ್ಯ ವಿನಂ Please check your Plaid client ID and secret values,ದಯವಿಟ್ಟು ನಿಮ್ಮ ಪ್ಲೈಡ್ ಕ್ಲೈಂಟ್ ಐಡಿ ಮತ್ತು ರಹಸ್ಯ ಮೌಲ್ಯಗಳನ್ನು ಪರಿಶೀಲಿಸಿ, Bank transaction creation error,ಬ್ಯಾಂಕ್ ವಹಿವಾಟು ರಚನೆ ದೋಷ, Unit of Measurement,ಅಳತೆಯ ಘಟಕ, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},ಸಾಲು # {}: ಐಟಂ for for ಗೆ ಮಾರಾಟ ದರ ಅದರ than than ಗಿಂತ ಕಡಿಮೆಯಾಗಿದೆ. ಮಾರಾಟ ದರ ಕನಿಷ್ಠ be} ಆಗಿರಬೇಕು, Fiscal Year {0} Does Not Exist,ಹಣಕಾಸಿನ ವರ್ಷ {0 Ex ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ, Row # {0}: Returned Item {1} does not exist in {2} {3},ಸಾಲು # {0}: ಹಿಂತಿರುಗಿದ ಐಟಂ {1} {2} {3 in ನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ, Valuation type charges can not be marked as Inclusive,ಮೌಲ್ಯಮಾಪನ ಪ್ರಕಾರದ ಶುಲ್ಕಗಳನ್ನು ಅಂತರ್ಗತ ಎಂದು ಗುರುತಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,{1 row ಸಾ Response Time for {0} priority in row {1} can't be greater than Resolution Time.,{1 row ಸಾಲಿನಲ್ಲಿ {0} ಆದ್ಯತೆಯ ಪ್ರತಿಕ್ರಿಯೆ ಸಮಯ ರೆಸಲ್ಯೂಶನ್ ಸಮಯಕ್ಕಿಂತ ಹೆಚ್ಚಿರಬಾರದು., {0} is not enabled in {1},{0 in ಅನ್ನು {1 in ನಲ್ಲಿ ಸಕ್ರಿಯಗೊಳಿಸಲಾಗಿಲ್ಲ, Group by Material Request,ವಸ್ತು ವಿನಂತಿಯ ಪ್ರಕಾರ ಗುಂಪು, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","ಸಾಲು {0}: ಪೂರೈಕೆದಾರ {0 For ಗೆ, ಇಮೇಲ್ ಕಳುಹಿಸಲು ಇಮೇಲ್ ವಿಳಾಸದ ಅಗತ್ಯವಿದೆ", Email Sent to Supplier {0},ಇಮೇಲ್ ಸರಬರಾಜುದಾರರಿಗೆ ಕಳುಹಿಸಲಾಗಿದೆ {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","ಪೋರ್ಟಲ್‌ನಿಂದ ಉದ್ಧರಣಕ್ಕಾಗಿ ವಿನಂತಿಯ ಪ್ರವೇಶವನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ. ಪ್ರವೇಶವನ್ನು ಅನುಮತಿಸಲು, ಪೋರ್ಟಲ್ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ಅದನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ.", Supplier Quotation {0} Created,ಪೂರೈಕೆದಾರ ಉದ್ಧರಣ {0} ರಚಿಸಲಾಗಿದೆ, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},ನಿಗದಿಪಡಿ Account {0} exists in parent company {1}.,ಪೋಷಕ ಕಂಪನಿ {1 in ನಲ್ಲಿ ಖಾತೆ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ., "To overrule this, enable '{0}' in company {1}","ಇದನ್ನು ರದ್ದುಗೊಳಿಸಲು, {1 company ಕಂಪನಿಯಲ್ಲಿ '{0}' ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ", Invalid condition expression,ಅಮಾನ್ಯ ಸ್ಥಿತಿ ಅಭಿವ್ಯಕ್ತಿ, +Please Select a Company First,ದಯವಿಟ್ಟು ಮೊದಲು ಕಂಪನಿಯನ್ನು ಆಯ್ಕೆ ಮಾಡಿ, +Please Select Both Company and Party Type First,ದಯವಿಟ್ಟು ಮೊದಲು ಕಂಪನಿ ಮತ್ತು ಪಕ್ಷದ ಪ್ರಕಾರ ಎರಡನ್ನೂ ಆಯ್ಕೆ ಮಾಡಿ, +Provide the invoice portion in percent,ಸರಕುಪಟ್ಟಿ ಭಾಗವನ್ನು ಶೇಕಡಾವಾರು ಒದಗಿಸಿ, +Give number of days according to prior selection,ಪೂರ್ವ ಆಯ್ಕೆಯ ಪ್ರಕಾರ ದಿನಗಳ ಸಂಖ್ಯೆಯನ್ನು ನೀಡಿ, +Email Details,ಇಮೇಲ್ ವಿವರಗಳು, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","ಸ್ವೀಕರಿಸುವವರಿಗೆ ಶುಭಾಶಯ ಆಯ್ಕೆಮಾಡಿ. ಉದಾ. ಶ್ರೀ, ಮಿಸ್, ಇತ್ಯಾದಿ.", +Preview Email,ಇಮೇಲ್ ಪೂರ್ವವೀಕ್ಷಣೆ ಮಾಡಿ, +Please select a Supplier,ದಯವಿಟ್ಟು ಸರಬರಾಜುದಾರರನ್ನು ಆಯ್ಕೆ ಮಾಡಿ, +Supplier Lead Time (days),ಸರಬರಾಜುದಾರರ ಪ್ರಮುಖ ಸಮಯ (ದಿನಗಳು), +"Home, Work, etc.","ಮನೆ, ಕೆಲಸ ಇತ್ಯಾದಿ.", +Exit Interview Held On,ಸಂದರ್ಶನದಿಂದ ನಿರ್ಗಮಿಸಿ, +Condition and formula,ಸ್ಥಿತಿ ಮತ್ತು ಸೂತ್ರ, +Sets 'Target Warehouse' in each row of the Items table.,ಐಟಂಗಳ ಟೇಬಲ್‌ನ ಪ್ರತಿಯೊಂದು ಸಾಲಿನಲ್ಲಿ 'ಟಾರ್ಗೆಟ್ ವೇರ್‌ಹೌಸ್' ಅನ್ನು ಹೊಂದಿಸುತ್ತದೆ., +Sets 'Source Warehouse' in each row of the Items table.,ಐಟಂಗಳ ಕೋಷ್ಟಕದ ಪ್ರತಿಯೊಂದು ಸಾಲಿನಲ್ಲಿ 'ಮೂಲ ಗೋದಾಮು' ಹೊಂದಿಸುತ್ತದೆ., +POS Register,ಪಿಓಎಸ್ ರಿಜಿಸ್ಟರ್, +"Can not filter based on POS Profile, if grouped by POS Profile",ಪಿಒಎಸ್ ಪ್ರೊಫೈಲ್‌ನಿಂದ ಗುಂಪು ಮಾಡಿದರೆ ಪಿಒಎಸ್ ಪ್ರೊಫೈಲ್ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ಮಾಡಲು ಸಾಧ್ಯವಿಲ್ಲ, +"Can not filter based on Customer, if grouped by Customer",ಗ್ರಾಹಕರಿಂದ ಗುಂಪು ಮಾಡಿದ್ದರೆ ಗ್ರಾಹಕರ ಆಧಾರದ ಮೇಲೆ ಫಿಲ್ಟರ್ ಮಾಡಲು ಸಾಧ್ಯವಿಲ್ಲ, +"Can not filter based on Cashier, if grouped by Cashier",ಕ್ಯಾಷಿಯರ್‌ನಿಂದ ಗುಂಪು ಮಾಡಿದ್ದರೆ ಕ್ಯಾಷಿಯರ್ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ಮಾಡಲು ಸಾಧ್ಯವಿಲ್ಲ, +Payment Method,ಪಾವತಿ ವಿಧಾನ, +"Can not filter based on Payment Method, if grouped by Payment Method",ಪಾವತಿ ವಿಧಾನದಿಂದ ಗುಂಪು ಮಾಡಿದ್ದರೆ ಪಾವತಿ ವಿಧಾನವನ್ನು ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ಮಾಡಲು ಸಾಧ್ಯವಿಲ್ಲ, +Supplier Quotation Comparison,ಪೂರೈಕೆದಾರ ಉದ್ಧರಣ ಹೋಲಿಕೆ, +Price per Unit (Stock UOM),ಪ್ರತಿ ಯೂನಿಟ್‌ಗೆ ಬೆಲೆ (ಸ್ಟಾಕ್ ಯುಒಎಂ), +Group by Supplier,ಸರಬರಾಜುದಾರರಿಂದ ಗುಂಪು, +Group by Item,ಐಟಂ ಪ್ರಕಾರ ಗುಂಪು, +Remember to set {field_label}. It is required by {regulation}.,{Field_label set ಅನ್ನು ಹೊಂದಿಸಲು ಮರೆಯದಿರಿ. {ನಿಯಂತ್ರಣ by ನಿಂದ ಇದು ಅಗತ್ಯವಿದೆ., +Enrollment Date cannot be before the Start Date of the Academic Year {0},ದಾಖಲಾತಿ ದಿನಾಂಕ ಶೈಕ್ಷಣಿಕ ವರ್ಷದ ಪ್ರಾರಂಭ ದಿನಾಂಕಕ್ಕಿಂತ ಮೊದಲು ಇರಬಾರದು {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},ದಾಖಲಾತಿ ದಿನಾಂಕ ಶೈಕ್ಷಣಿಕ ಅವಧಿಯ ಅಂತಿಮ ದಿನಾಂಕದ ನಂತರ ಇರಬಾರದು {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},ದಾಖಲಾತಿ ದಿನಾಂಕ ಶೈಕ್ಷಣಿಕ ಅವಧಿಯ ಪ್ರಾರಂಭ ದಿನಾಂಕಕ್ಕಿಂತ ಮೊದಲು ಇರಬಾರದು {0}, +Posting future transactions are not allowed due to Immutable Ledger,ಬದಲಾಯಿಸಲಾಗದ ಲೆಡ್ಜರ್‌ನಿಂದಾಗಿ ಭವಿಷ್ಯದ ವಹಿವಾಟುಗಳನ್ನು ಪೋಸ್ಟ್ ಮಾಡಲು ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ, +Future Posting Not Allowed,ಭವಿಷ್ಯದ ಪೋಸ್ಟ್ ಮಾಡಲು ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ, +"To enable Capital Work in Progress Accounting, ","ಪ್ರೋಗ್ರೆಸ್ ಅಕೌಂಟಿಂಗ್‌ನಲ್ಲಿ ಕ್ಯಾಪಿಟಲ್ ವರ್ಕ್ ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಲು,", +you must select Capital Work in Progress Account in accounts table,ಖಾತೆಗಳ ಕೋಷ್ಟಕದಲ್ಲಿ ನೀವು ಪ್ರಗತಿ ಖಾತೆಯಲ್ಲಿ ಕ್ಯಾಪಿಟಲ್ ವರ್ಕ್ ಅನ್ನು ಆರಿಸಬೇಕು, +You can also set default CWIP account in Company {},ಕಂಪನಿ} in ನಲ್ಲಿ ನೀವು ಡೀಫಾಲ್ಟ್ ಸಿಡಬ್ಲ್ಯುಐಪಿ ಖಾತೆಯನ್ನು ಸಹ ಹೊಂದಿಸಬಹುದು, +The Request for Quotation can be accessed by clicking on the following button,ಕೆಳಗಿನ ಗುಂಡಿಯನ್ನು ಕ್ಲಿಕ್ ಮಾಡುವುದರ ಮೂಲಕ ಉದ್ಧರಣಕ್ಕಾಗಿ ವಿನಂತಿಯನ್ನು ಪ್ರವೇಶಿಸಬಹುದು, +Regards,ಅಭಿನಂದನೆಗಳು, +Please click on the following button to set your new password,ನಿಮ್ಮ ಹೊಸ ಪಾಸ್‌ವರ್ಡ್ ಹೊಂದಿಸಲು ದಯವಿಟ್ಟು ಕೆಳಗಿನ ಬಟನ್ ಕ್ಲಿಕ್ ಮಾಡಿ, +Update Password,ಪಾಸ್ವರ್ಡ್ ನವೀಕರಿಸಿ, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},ಸಾಲು # {}: ಐಟಂ for for ಗೆ ಮಾರಾಟ ದರ ಅದರ than than ಗಿಂತ ಕಡಿಮೆಯಾಗಿದೆ. {Seling ಕನಿಷ್ಠ ಮಾರಾಟವಾಗಬೇಕು {}, +You can alternatively disable selling price validation in {} to bypass this validation.,ಈ ation ರ್ಜಿತಗೊಳಿಸುವಿಕೆಯನ್ನು ಬೈಪಾಸ್ ಮಾಡಲು ನೀವು ಪರ್ಯಾಯವಾಗಿ price in ನಲ್ಲಿ ಮಾರಾಟದ ಬೆಲೆ ಮೌಲ್ಯಮಾಪನವನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಬಹುದು., +Invalid Selling Price,ಅಮಾನ್ಯ ಮಾರಾಟ ಬೆಲೆ, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,ವಿಳಾಸವನ್ನು ಕಂಪನಿಗೆ ಲಿಂಕ್ ಮಾಡಬೇಕಾಗಿದೆ. ದಯವಿಟ್ಟು ಲಿಂಕ್‌ಗಳ ಕೋಷ್ಟಕದಲ್ಲಿ ಕಂಪನಿಗೆ ಒಂದು ಸಾಲನ್ನು ಸೇರಿಸಿ., +Company Not Linked,ಕಂಪನಿ ಲಿಂಕ್ ಮಾಡಿಲ್ಲ, +Import Chart of Accounts from CSV / Excel files,CSV / Excel ಫೈಲ್‌ಗಳಿಂದ ಖಾತೆಗಳ ಆಮದು ಚಾರ್ಟ್, +Completed Qty cannot be greater than 'Qty to Manufacture',ಪೂರ್ಣಗೊಂಡ ಕ್ಯೂಟಿ 'ಉತ್ಪಾದನೆಗೆ ಕ್ಯೂಟಿ' ಗಿಂತ ಹೆಚ್ಚಿರಬಾರದು, +"Row {0}: For Supplier {1}, Email Address is Required to send an email","ಸಾಲು {0}: ಸರಬರಾಜುದಾರ {1 For ಗೆ, ಇಮೇಲ್ ಕಳುಹಿಸಲು ಇಮೇಲ್ ವಿಳಾಸದ ಅಗತ್ಯವಿದೆ", diff --git a/erpnext/translations/ko.csv b/erpnext/translations/ko.csv index 54e3053884..43c453bb13 100644 --- a/erpnext/translations/ko.csv +++ b/erpnext/translations/ko.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,유형 행 {0 Chargeble,Chileble, Charges are updated in Purchase Receipt against each item,요금은 각 항목에 대해 구매 영수증에 업데이트됩니다, "Charges will be distributed proportionately based on item qty or amount, as per your selection","요금은 비례 적으로 사용자의 선택에 따라, 상품 수량 또는 금액에 따라 배포됩니다", -Chart Of Accounts,계정 차트, Chart of Cost Centers,코스트 센터의 차트, Check all,모두 확인, Checkout,점검, @@ -581,7 +580,6 @@ Company {0} does not exist,회사 {0} 존재하지 않습니다, Compensatory Off,보상 오프, Compensatory leave request days not in valid holidays,유효한 휴가가 아닌 보상 휴가 요청 일, Complaint,불평, -Completed Qty can not be greater than 'Qty to Manufacture',보다 '수량 제조하는'완료 수량은 클 수 없습니다, Completion Date,완료일, Computer,컴퓨터, Condition,조건, @@ -2033,7 +2031,6 @@ Please select Category first,첫 번째 범주를 선택하십시오, Please select Charge Type first,충전 유형을 먼저 선택하세요, Please select Company,회사를 선택하세요, Please select Company and Designation,회사 명 및 지명을 선택하십시오., -Please select Company and Party Type first,첫번째 회사와 파티 유형을 선택하세요, Please select Company and Posting Date to getting entries,항목을 얻으려면 회사 및 전기 일을 선택하십시오., Please select Company first,처음 회사를 선택하세요, Please select Completion Date for Completed Asset Maintenance Log,Completed Asset Maintenance Log의 완료 날짜를 선택하십시오., @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,연구소의 The name of your company for which you are setting up this system.,이 시스템을 설정하는하는 기업의 이름입니다., The number of shares and the share numbers are inconsistent,주식 수와 주식 수는 일치하지 않습니다., The payment gateway account in plan {0} is different from the payment gateway account in this payment request,{0} 계획의 지불 게이트웨이 계정이이 지불 요청의 지불 게이트웨이 계정과 다릅니다., -The request for quotation can be accessed by clicking on the following link,견적 요청은 다음 링크를 클릭하여 액세스 할 수 있습니다, The selected BOMs are not for the same item,선택한 BOM의 동일한 항목에 대한 없습니다, The selected item cannot have Batch,선택한 항목이 배치를 가질 수 없습니다, The seller and the buyer cannot be the same,판매자와 구매자는 같을 수 없습니다., @@ -3543,7 +3539,6 @@ Company GSTIN,회사 GSTIN, Company field is required,회사 필드가 필요합니다., Creating Dimensions...,치수 만들기 ..., Duplicate entry against the item code {0} and manufacturer {1},항목 코드 {0} 및 제조업체 {1}에 대한 중복 항목, -Import Chart Of Accounts from CSV / Excel files,CSV / Excel 파일에서 Chart of Accounts 가져 오기, 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 형식과 일치하지 않습니다., Invoice Grand Total,인보이스 총액, Last carbon check date cannot be a future date,마지막 탄소 체크 날짜는 미래 날짜가 될 수 없습니다., @@ -3920,7 +3915,6 @@ Plaid authentication error,격자 무늬 인증 오류, Plaid public token error,격자 무늬 공용 토큰 오류, Plaid transactions sync error,격자 무늬 거래 동기화 오류, Please check the error log for details about the import errors,가져 오기 오류에 대한 자세한 내용은 오류 로그를 확인하십시오., -Please click on the following link to set your new password,새 암호를 설정하려면 다음 링크를 클릭하십시오, Please create DATEV Settings for Company {}.,회사 {}에 대한 DATEV 설정 을 작성하십시오., Please create adjustment Journal Entry for amount {0} ,금액 {0}에 대한 조정 분개를 생성하십시오, Please do not create more than 500 items at a time,한 번에 500 개 이상의 항목을 만들지 마세요., @@ -4043,7 +4037,6 @@ Search results for,에 대한 검색 결과, Select All,모두 선택, Select Difference Account,차이 계정 선택, Select a Default Priority.,기본 우선 순위를 선택하십시오., -Select a Supplier from the Default Supplier List of the items below.,아래 항목의 기본 공급 업체 목록에서 공급 업체를 선택하십시오., Select a company,회사 선택, Select finance book for the item {0} at row {1},{1} 행의 항목 {0}에 대한 재무 책을 선택하십시오., Select only one Priority as Default.,Priority as Default를 하나만 선택하십시오., @@ -4247,7 +4240,6 @@ Yes,예, Actual ,실제, Add to cart,쇼핑 카트에 담기, Budget,예산, -Chart Of Accounts Importer,계정 수입 차트, Chart of Accounts,회계 계통도, Customer database.,고객 데이터베이스., Days Since Last order,일 이후 마지막 주문, @@ -4939,7 +4931,6 @@ Closing Account Head,마감 계정 헤드, POS Customer Group,POS 고객 그룹, POS Field,POS 분야, POS Item Group,POS 항목 그룹, -[Select],[선택], Company Address,회사 주소, Update Stock,재고 업데이트, Ignore Pricing Rule,가격 규칙을 무시, @@ -6597,11 +6588,6 @@ Relieving Date,날짜를 덜어, Reason for Leaving,떠나는 이유, Leave Encashed?,Encashed 남겨?, Encashment Date,현금화 날짜, -Exit Interview Details,출구 인터뷰의 자세한 사항, -Held On,개최, -Reason for Resignation,사임 이유, -Better Prospects,더 나은 전망, -Health Concerns,건강 문제, New Workplace,새로운 직장, HR-EAD-.YYYY.-,HR-EAD- .YYYY.-, Returned Amount,반품 금액, @@ -8237,9 +8223,6 @@ Landed Cost Help,착륙 비용 도움말, Manufacturers used in Items,항목에 사용 제조 업체, Limited to 12 characters,12 자로 제한, MAT-MR-.YYYY.-,매트 - MR - .YYYY.-, -Set Warehouse,창고 설정, -Sets 'For Warehouse' in each row of the Items table.,Items 테이블의 각 행에 'For Warehouse'를 설정합니다., -Requested For,에 대해 요청, Partially Ordered,부분적으로 주문 됨, Transferred,이전 됨, % Ordered,% 발주, @@ -8688,8 +8671,6 @@ Material Request Warehouse,자재 요청 창고, Select warehouse for material requests,자재 요청을위한 창고 선택, Transfer Materials For Warehouse {0},창고 {0}의 자재 전송, Production Plan Material Request Warehouse,생산 계획 자재 요청 창고, -Set From Warehouse,창고에서 설정, -Source Warehouse (Material Transfer),출처 창고 (자재 이전), Sets 'Source Warehouse' in each row of the items table.,항목 테이블의 각 행에 '소스 창고'를 설정합니다., Sets 'Target Warehouse' in each row of the items table.,항목 테이블의 각 행에 '대상 창고'를 설정합니다., Show Cancelled Entries,취소 된 항목 표시, @@ -9155,7 +9136,6 @@ Professional Tax,전문 세, Is Income Tax Component,소득세 구성 요소, Component properties and references ,구성 요소 속성 및 참조, Additional Salary ,추가 급여, -Condtion and formula,조건 및 공식, Unmarked days,표시되지 않은 날짜, Absent Days,결석 일, Conditions and Formula variable and example,조건 및 수식 변수 및 예, @@ -9442,7 +9422,6 @@ Plaid invalid request error,격자 무늬 잘못된 요청 오류, Please check your Plaid client ID and secret values,Plaid 클라이언트 ID와 비밀 값을 확인하세요., Bank transaction creation error,은행 거래 생성 오류, Unit of Measurement,측정 단위, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},행 # {} : 항목 {}의 판매율이 {}보다 낮습니다. 판매율은 {} 이상이어야합니다., Fiscal Year {0} Does Not Exist,회계 연도 {0}이 (가) 존재하지 않음, Row # {0}: Returned Item {1} does not exist in {2} {3},행 # {0} : 반품 된 항목 {1}이 {2} {3}에 없습니다., Valuation type charges can not be marked as Inclusive,평가 유형 요금은 포함으로 표시 할 수 없습니다., @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,{1} 행에서 Response Time for {0} priority in row {1} can't be greater than Resolution Time.,{1} 행의 {0} 우선 순위에 대한 응답 시간은 해결 시간보다 클 수 없습니다., {0} is not enabled in {1},{0}은 (는) {1}에서 사용할 수 없습니다., Group by Material Request,자재 요청별로 그룹화, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",{0} 행 : 공급 업체 {0}의 경우 이메일을 보내려면 이메일 주소가 필요합니다., Email Sent to Supplier {0},공급 업체 {0}에 이메일을 보냈습니다., "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",포털에서 견적 요청에 대한 액세스가 비활성화되었습니다. 액세스를 허용하려면 포털 설정에서 활성화하십시오., Supplier Quotation {0} Created,공급 업체 견적 {0} 생성됨, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},할당 된 총 가중치 Account {0} exists in parent company {1}.,{0} 계정이 모회사 {1}에 있습니다., "To overrule this, enable '{0}' in company {1}",이를 무시하려면 {1} 회사에서 '{0}'을 (를) 활성화하십시오., Invalid condition expression,잘못된 조건식, +Please Select a Company First,먼저 회사를 선택하십시오, +Please Select Both Company and Party Type First,먼저 회사 및 당사자 유형을 모두 선택하십시오., +Provide the invoice portion in percent,송장 부분을 백분율로 제공, +Give number of days according to prior selection,사전 선택에 따라 일수 제공, +Email Details,이메일 세부 정보, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","수신자를위한 인사말을 선택하십시오. 예 : Mr., Ms. 등", +Preview Email,이메일 미리보기, +Please select a Supplier,공급자를 선택하십시오, +Supplier Lead Time (days),공급 업체 리드 타임 (일), +"Home, Work, etc.","집, 직장 등", +Exit Interview Held On,보류 된 인터뷰 종료, +Condition and formula,조건 및 공식, +Sets 'Target Warehouse' in each row of the Items table.,Items 테이블의 각 행에 'Target Warehouse'를 설정합니다., +Sets 'Source Warehouse' in each row of the Items table.,Items 테이블의 각 행에 'Source Warehouse'를 설정합니다., +POS Register,POS 등록, +"Can not filter based on POS Profile, if grouped by POS Profile",POS 프로필로 그룹화 된 경우 POS 프로필을 기준으로 필터링 할 수 없습니다., +"Can not filter based on Customer, if grouped by Customer",고객별로 그룹화 된 경우 고객을 기준으로 필터링 할 수 없습니다., +"Can not filter based on Cashier, if grouped by Cashier",계산원별로 그룹화 된 경우 계산원을 기준으로 필터링 할 수 없습니다., +Payment Method,결제 방법, +"Can not filter based on Payment Method, if grouped by Payment Method",결제 수단별로 그룹화 한 경우 결제 수단을 기준으로 필터링 할 수 없습니다., +Supplier Quotation Comparison,공급 업체 견적 비교, +Price per Unit (Stock UOM),단가 (재고 UOM), +Group by Supplier,공급 업체별 그룹화, +Group by Item,항목 별 그룹화, +Remember to set {field_label}. It is required by {regulation}.,{field_label}을 설정해야합니다. {regulation}에서 요구합니다., +Enrollment Date cannot be before the Start Date of the Academic Year {0},등록일은 학년도 {0}의 시작일 이전 일 수 없습니다., +Enrollment Date cannot be after the End Date of the Academic Term {0},등록일은 학기 종료일 {0} 이후 일 수 없습니다., +Enrollment Date cannot be before the Start Date of the Academic Term {0},등록일은 학기 시작일 {0} 이전 일 수 없습니다., +Posting future transactions are not allowed due to Immutable Ledger,불변 원장으로 인해 미래 거래를 게시 할 수 없습니다., +Future Posting Not Allowed,향후 전기가 허용되지 않음, +"To enable Capital Work in Progress Accounting, ",자본 재공품 회계를 활성화하려면, +you must select Capital Work in Progress Account in accounts table,계정 테이블에서 자본 진행중인 계정을 선택해야합니다., +You can also set default CWIP account in Company {},회사 {}에서 기본 CWIP 계정을 설정할 수도 있습니다., +The Request for Quotation can be accessed by clicking on the following button,견적 요청은 다음 버튼을 클릭하여 액세스 할 수 있습니다., +Regards,문안 인사, +Please click on the following button to set your new password,새 비밀번호를 설정하려면 다음 버튼을 클릭하십시오., +Update Password,비밀번호 업데이트, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},행 # {} : 항목 {}의 판매율이 {}보다 낮습니다. {} 판매는 {} 이상이어야합니다., +You can alternatively disable selling price validation in {} to bypass this validation.,또는 {}에서 판매 가격 검증을 비활성화하여이 검증을 우회 할 수 있습니다., +Invalid Selling Price,잘못된 판매 가격, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,주소는 회사에 연결되어야합니다. 링크 테이블에 회사 행을 추가하십시오., +Company Not Linked,연결되지 않은 회사, +Import Chart of Accounts from CSV / Excel files,CSV / Excel 파일에서 계정과 목표 가져 오기, +Completed Qty cannot be greater than 'Qty to Manufacture',완료된 수량은 '제조 수량'보다 클 수 없습니다., +"Row {0}: For Supplier {1}, Email Address is Required to send an email",{0} 행 : 공급 업체 {1}의 경우 이메일을 보내려면 이메일 주소가 필요합니다., diff --git a/erpnext/translations/ku.csv b/erpnext/translations/ku.csv index c33080e543..6c6282ee29 100644 --- a/erpnext/translations/ku.csv +++ b/erpnext/translations/ku.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Pere ji type Chargeble,Argearkbarî, Charges are updated in Purchase Receipt against each item,Li dijî wan doz bi wergirtina Purchase dijî hev babete ve, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Li dijî wan doz dê were belavkirin bibihure li ser QTY babete an miqdar bingeha, wek per selection te", -Chart Of Accounts,Chart Dageriyê, Chart of Cost Centers,Chart Navendên Cost, Check all,Check hemû, Checkout,Lêkolîn, @@ -581,7 +580,6 @@ Company {0} does not exist,Company {0} tune, Compensatory Off,heger Off, Compensatory leave request days not in valid holidays,Daxwaza berdêla dayîna mûçûna dermanê ne di nav betlanên derbasdar de ne, Complaint,Gilî, -Completed Qty can not be greater than 'Qty to Manufacture',Qediya Qty ne dikarin bibin mezintir 'Qty ji bo Manufacture', Completion Date,Date cebîr, Computer,Komûter, Condition,Rewş, @@ -2033,7 +2031,6 @@ Please select Category first,Ji kerema xwe ve yekem Kategorî hilbijêre, Please select Charge Type first,Ji kerema xwe ve yekem Charge Type hilbijêre, Please select Company,Ji kerema xwe ve Company hilbijêre, Please select Company and Designation,Ji kerema xwe şirket û şirove hilbijêrin, -Please select Company and Party Type first,Ji kerema xwe ve yekem Company û Partiya Type hilbijêre, Please select Company and Posting Date to getting entries,Ji kerema xwe şîrket û Dîroka Navnîşê hilbijêre ku têkevin navnîşan, Please select Company first,Ji kerema xwe ve yekem Company hilbijêre, Please select Completion Date for Completed Asset Maintenance Log,Ji kerema xwe ji bo temamkirina Dîroka Dawîn hilbijêre Ji bo Endamiya Hêza Navîn ya Têketinê hilbijêre, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,The name of The name of your company for which you are setting up this system.,The name of şirketa we ji bo ku hûn bi avakirina vê sîstemê., The number of shares and the share numbers are inconsistent,Hejmarên parve û hejmarên parvekirî ne hevkar in, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Di plana navnîşan a daîreya navnîşan de {0} ji vê daxwazê deynê hesabê navnîşê ya ji derê ve ye, -The request for quotation can be accessed by clicking on the following link,Daxwaz ji bo gotinên li dikare were bi tikandina li ser vê lînkê tê xwestin, The selected BOMs are not for the same item,The dikeye hilbijartî ne ji bo em babete eynî ne, The selected item cannot have Batch,The em babete kilîk ne dikarin Batch hene, The seller and the buyer cannot be the same,Pêwîstker û kirrûbir nabe, @@ -3543,7 +3539,6 @@ Company GSTIN,Company GSTIN, Company field is required,Qada pargîdaniyê pêdivî ye, Creating Dimensions...,Dimîne Afirandin ..., Duplicate entry against the item code {0} and manufacturer {1},Li dijî koda kodê {0} û hilberê {1}, -Import Chart Of Accounts from CSV / Excel files,Ji pelên CSV / Excel Pêkvekirina Hesabê Damezrînin, Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN nederbasdar e! Navnîşa ku we têkevî bi formasyona GSTIN re ji bo Mêvanên UIN-ê an Niştecîhên Karûbarên OIDAR-yê Niştecîhan nabin, Invoice Grand Total,Pêşkêşiya Grand Total, Last carbon check date cannot be a future date,Dîroka kontrolkirina karbonê ya paşîn nikare tarîxek pêşerojê be, @@ -3920,7 +3915,6 @@ Plaid authentication error,Errorewtiya nasnameya plaid, Plaid public token error,Errorewtiya nîşana gelemperî ya plaid, Plaid transactions sync error,Errorewtiya hevdemkirina transaksiyonên plaid, Please check the error log for details about the import errors,Ji kerema xwe hûrguliyên çewtiyê ji bo hûrguliyên li ser xeletiyên import kontrol bikin, -Please click on the following link to set your new password,Ji kerema xwe li ser vê lînkê click to set şîfreya xwe ya nû, Please create DATEV Settings for Company {}.,Ji kerema DATEV Mîhengên ji bo Company {}., Please create adjustment Journal Entry for amount {0} ,Ji kerema xwe amount 0}, Please do not create more than 500 items at a time,Ji kerema xwe di yek carek de ji zêdeyî 500 hêsan neyên afirandin, @@ -4043,7 +4037,6 @@ Search results for,Encamên lêgerînê, Select All,Select All, Select Difference Account,Hesabê Cudahiyê hilbijêrin, Select a Default Priority.,Pêşerojek Default hilbijêrin., -Select a Supplier from the Default Supplier List of the items below.,Hilberînerek ji navnîşa Pargîdaniya Default ya tiştên li jêr hilbijêrin., Select a company,Pargîdanek hilbijêrin, Select finance book for the item {0} at row {1},Ji bo tiştên finance 0} li rêza the 1 book pirtûka fînansê hilbijêrin, Select only one Priority as Default.,Tenê Pêşniyar wekî Yek Pêşek hilbijêrin., @@ -4247,7 +4240,6 @@ Yes,Erê, Actual ,Rast, Add to cart,Têxe, Budget,Sermîyan, -Chart Of Accounts Importer,Chart Of Accounts Importer, Chart of Accounts,Karta Karûbar, Customer database.,Database Database, Days Since Last order,Rojan de ji sala Last Order, @@ -4939,7 +4931,6 @@ Closing Account Head,Girtina Serokê Account, POS Customer Group,POS Mişterî Group, POS Field,POS Field, POS Item Group,POS babetî Pula, -[Select],[Neqandin], Company Address,Company Address, Update Stock,update Stock, Ignore Pricing Rule,Guh Rule Pricing, @@ -6597,11 +6588,6 @@ Relieving Date,Destkêşana Date, Reason for Leaving,Sedem ji bo Leaving, Leave Encashed?,Dev ji Encashed?, Encashment Date,Date Encashment, -Exit Interview Details,Details Exit Hevpeyvîn, -Held On,held ser, -Reason for Resignation,Sedem ji bo îstîfakirinê, -Better Prospects,baştir e, -Health Concerns,Gûman Health, New Workplace,New Workplace, HR-EAD-.YYYY.-,HR-EAD-.YYYY-, Returned Amount,Dravê vegerandî, @@ -8237,9 +8223,6 @@ Landed Cost Help,Landed Alîkarî Cost, Manufacturers used in Items,"Manufacturers bikaranîn, di babetî", Limited to 12 characters,Bi sînor ji 12 tîpan, MAT-MR-.YYYY.-,MAT-MR-.YYYY-, -Set Warehouse,Set Warehouse, -Sets 'For Warehouse' in each row of the Items table.,Di her rêza maseya Tiştikan de 'Ji bo Warehouse' saz dike., -Requested For,"xwestin, çimkî", Partially Ordered,Qismî Ferman, Transferred,veguhestin, % Ordered,% داواکراوە, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Depoya Daxwaza Materyalê, Select warehouse for material requests,Ji bo daxwazên materyalê embarê hilbijêrin, Transfer Materials For Warehouse {0},Materyalên Veguhêzbar Ji bo Warehouse {0}, Production Plan Material Request Warehouse,Plana Hilberînê Depoya Daxwaza Materyalê, -Set From Warehouse,Ji Warehouse Saz Bike, -Source Warehouse (Material Transfer),Depoya Çavkaniyê (Veguhestina Madeyê), Sets 'Source Warehouse' in each row of the items table.,Di her rêza maseya tiştan de 'Depoya Çavkaniyê' saz dike., Sets 'Target Warehouse' in each row of the items table.,Di her rêza maseya tiştan de 'Warehouse Target' saz dike., Show Cancelled Entries,Navnîşên Betalkirî Nîşan bidin, @@ -9155,7 +9136,6 @@ Professional Tax,Baca Profesyonel, Is Income Tax Component,Pêkhateya Baca Dahatê ye, Component properties and references ,Taybetmendî û referansên pêkhateyê, Additional Salary ,Mûçeyê Zêdeyî, -Condtion and formula,Tionert û formul, Unmarked days,Rojên nevekirî, Absent Days,Rojên Tunebûyî, Conditions and Formula variable and example,Itionsert û Formula guhêrbar û mînak, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Çewtiya daxwaziya nederbasdar a plaid, Please check your Plaid client ID and secret values,Ji kerema xwe nasnameya xerîdarê Plaid û nirxên xweyên nepenî kontrol bikin, Bank transaction creation error,Çewtiya afirandina danûstendina bankê, Unit of Measurement,Yekeya Pîvandinê, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Rêzok # {}: Rêjeya firotanê ji bo hêmanê {} ji ya wê {} kêmtir e. Divê rêjeya firotanê herî kêm be {}, Fiscal Year {0} Does Not Exist,Sala Darayî {0} Heye, Row # {0}: Returned Item {1} does not exist in {2} {3},Rêzeya # {0}: Tişta vegerandî {1} li {2} {3} tune, Valuation type charges can not be marked as Inclusive,Dozên celebê nirxandinê wekî Inclusive nayên nîşankirin, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Dema Bersivê Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Dema Bersivê ji bo {0} pêşanî di rêzê de {1} nikare ji Dema Biryarê mezintir be., {0} is not enabled in {1},{0} di {1} de nayê çalakirin, Group by Material Request,Ji hêla Daxwaza Maddî ve kom, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Rêz {0}: Ji bo Pêşkêşker {0}, Ji bo Sendandina E-name Navnîşana E-nameyê Pêdivî ye", Email Sent to Supplier {0},E-name ji bo Pêşkêşker şandiye {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Gihîştina Daxwaza Gotinê Ji Portalê Neçalak e. Ji bo Destûra Destûrê, Di Mîhengên Portalê de Vê çalak bikin.", Supplier Quotation {0} Created,Pêşniyara Pêşkêşker {0} Afirandî, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Giraniya tevahî ya hatî Account {0} exists in parent company {1}.,Hesab {0} di pargîdaniya dêûbavan de heye {1}., "To overrule this, enable '{0}' in company {1}","Ji bo binpêkirina vê yekê, '{0}' di pargîdaniyê de çalak bikin {1}", Invalid condition expression,Vegotina rewşa nederbasdar, +Please Select a Company First,Ji kerema xwe Pêşîn Pargîdaniyek Hilbijêrin, +Please Select Both Company and Party Type First,Ji kerema xwe Yekem Tîpa Pargîdanî û Partiyê Hilbijêrin, +Provide the invoice portion in percent,Beşa fatureyê ji sedî peyda bikin, +Give number of days according to prior selection,Li gorî hilbijartina pêşîn hejmarek rojan bidin, +Email Details,Email Details, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Silavek ji bo wergir hilbijêrin. Mînak birêz, xanim û hwd.", +Preview Email,Pêşdîtina E-nameyê, +Please select a Supplier,Ji kerema xwe Pêşniyarek hilbijêrin, +Supplier Lead Time (days),Demjimêrê Pêşkêşker (rojan), +"Home, Work, etc.","Mal, Kar û hwd.", +Exit Interview Held On,Derketin Hevpeyivîn Çêdibe, +Condition and formula,Condert û formul, +Sets 'Target Warehouse' in each row of the Items table.,Li her rêza maseya Tişkan 'Depoya Armanc' danîne., +Sets 'Source Warehouse' in each row of the Items table.,Di her rêza maseya Tişkan de 'Depoya Çavkaniyê' saz dike., +POS Register,POS Register, +"Can not filter based on POS Profile, if grouped by POS Profile","Heke ji hêla Profîla POS-ê ve were komkirin, li gorî Profîla POS-ê parzûn nabe", +"Can not filter based on Customer, if grouped by Customer","Heke ji hêla Xerîdar ve were kom kirin, nikare li ser bingeha Xerîdar parzûn bibe", +"Can not filter based on Cashier, if grouped by Cashier",Heke ji hêla Xezîneyê ve were komkirin nikare li ser Bingeha Cezîrê fîltre bike, +Payment Method,Rêbaza dayinê, +"Can not filter based on Payment Method, if grouped by Payment Method","Heke li gorî Rêbaza Bidestpêkbûnê were komkirin, li gorî Rêbaza Dravkirinê nikare parzûn bibe", +Supplier Quotation Comparison,Berawirdekirina Pêşkêşkerê Pêşkêşker, +Price per Unit (Stock UOM),Bihayê yekeya (Stock UOM), +Group by Supplier,Kom ji hêla Pargîdaniyê ve, +Group by Item,Kom bi Babet, +Remember to set {field_label}. It is required by {regulation}.,Bînin bîra xwe ku {zeviyê_ etîketê} danîn. Ew ji hêla {rêziknameyê} ve pêdivî ye., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Dîroka Tomarbûnê nikare berî Dîroka Destpêka Sala Akademîk be {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Dîroka Tomarbûnê nikare piştî Dîroka Dawiya Termê Akademîkî be {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Dîroka Tomarbûnê nikare berî Dîroka Destpêka Heyama Akademîk be {0}, +Posting future transactions are not allowed due to Immutable Ledger,Transactionsandina danûstandinên pêşerojê ji ber Ledger-a Guhestbar nayê destûr kirin, +Future Posting Not Allowed,Ingandina Pêşerojê Destûr Nabe, +"To enable Capital Work in Progress Accounting, ","Ji bo Di Karûbarê Pêşkeftinê de Karê Kapîtal çalak bike,", +you must select Capital Work in Progress Account in accounts table,divê hûn li sermaseya hesaban Karê Sermiyan di Hesabê Pêşkeftinê de hilbijêrin, +You can also set default CWIP account in Company {},Di heman demê de hûn dikarin li Pargîdaniyê hesabê pêşdibistana CWIP jî saz bikin {}, +The Request for Quotation can be accessed by clicking on the following button,Daxwaza Nirxandinê bi tikandina bişkoja jêrîn ve tête peyda kirin, +Regards,Silav û rêz, +Please click on the following button to set your new password,Ji kerema xwe bişkoja jêrîn bikirtînin da ku şîfreya xweya nû saz bikin, +Update Password,Passwordîfreyê nûve bikin, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Rêzok # {}: Rêjeya firotanê ji bo hêmanê {} ji ya wê {} kêmtir e. Firotin {} divê herî kêm {}, +You can alternatively disable selling price validation in {} to bypass this validation.,Hûn dikarin bi alternatîfî pejirandina bihayê firotanê li {} betal bikin ku vê pejirandinê derbas bikin., +Invalid Selling Price,Bihayê Firotinê Neheq e, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Navnîşan hewce ye ku bi Pargîdaniyek ve were girêdan. Ji kerema xwe rêzek ji bo Pargîdaniyê di tabloya Girêdanan de zêde bikin., +Company Not Linked,Companyirket Ne Girêdayî ye, +Import Chart of Accounts from CSV / Excel files,Chart of Accounts ji pelên CSV / Excel Import bikin, +Completed Qty cannot be greater than 'Qty to Manufacture',Qty-ya qediyayî ji 'Qty-ya Çêkirinê' mezintir nabe, +"Row {0}: For Supplier {1}, Email Address is Required to send an email","Rêz {0}: Ji bo Pêşkêşker {1}, Navnîşana E-nameyê Pêdivî ye ku e-nameyek bişîne", diff --git a/erpnext/translations/lo.csv b/erpnext/translations/lo.csv index a9c6acd1bd..dc791fce4d 100644 --- a/erpnext/translations/lo.csv +++ b/erpnext/translations/lo.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,ຮັບຜ Chargeble,ຮັບຜິດຊອບ, Charges are updated in Purchase Receipt against each item,ຄ່າບໍລິການມີການປັບປຸງໃນການຮັບຊື້ຕໍ່ແຕ່ລະລາຍການ, "Charges will be distributed proportionately based on item qty or amount, as per your selection","ຄ່າບໍລິການຈະໄດ້ຮັບການແຈກຢາຍໂດຍອີງທຽບໃນຈໍານວນລາຍການຫຼືຈໍານວນເງິນທີ່, ເປັນຕໍ່ການຄັດເລືອກຂອງ", -Chart Of Accounts,ຕາຕະລາງຂອງການບັນຊີ, Chart of Cost Centers,ຕາຕະລາງຂອງສູນຕົ້ນທຶນ, Check all,ກວດເບິ່ງທັງຫມົດ, Checkout,ກວດເບິ່ງ, @@ -581,7 +580,6 @@ Company {0} does not exist,ບໍລິສັດ {0} ບໍ່ມີ, Compensatory Off,ການຊົດເຊີຍ Off, Compensatory leave request days not in valid holidays,ວັນທີ່ຕ້ອງການຄ່າຊົດເຊີຍບໍ່ແມ່ນວັນທີ່ຖືກຕ້ອງ, Complaint,ຄໍາຮ້ອງທຸກ, -Completed Qty can not be greater than 'Qty to Manufacture',ສໍາເລັດຈໍານວນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ 'ຈໍານວນການຜະລິດ', Completion Date,ວັນທີ່ສະຫມັກສໍາເລັດ, Computer,ຄອມພິວເຕີ, Condition,ສະພາບ, @@ -2033,7 +2031,6 @@ Please select Category first,ກະລຸນາເລືອກປະເພດທ Please select Charge Type first,ກະລຸນາເລືອກປະເພດຄ່າໃຊ້ຈ່າຍຄັ້ງທໍາອິດ, Please select Company,ກະລຸນາເລືອກບໍລິສັດ, Please select Company and Designation,ກະລຸນາເລືອກບໍລິສັດແລະການອອກແບບ, -Please select Company and Party Type first,ກະລຸນາເລືອກບໍລິສັດແລະພັກປະເພດທໍາອິດ, Please select Company and Posting Date to getting entries,ກະລຸນາເລືອກບໍລິສັດແລະວັນທີການລົງທືນເພື່ອຮັບເອົາລາຍການ, Please select Company first,ກະລຸນາເລືອກບໍລິສັດທໍາອິດ, Please select Completion Date for Completed Asset Maintenance Log,ກະລຸນາເລືອກວັນສໍາເລັດສໍາລັບບັນທຶກການບໍາລຸງຮັກສາທີ່ສົມບູນແລ້ວ, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,ຊື່ຂ The name of your company for which you are setting up this system.,ຊື່ຂອງບໍລິສັດຂອງທ່ານສໍາລັບການທີ່ທ່ານຈະຕິດຕັ້ງລະບົບນີ້., The number of shares and the share numbers are inconsistent,ຈໍານວນຮຸ້ນແລະຈໍານວນຮຸ້ນແມ່ນບໍ່ສອດຄ່ອງກັນ, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,ບັນຊີປະຕູຜ່ານການຈ່າຍເງິນໃນແຜນ {0} ແມ່ນແຕກຕ່າງກັນຈາກບັນຊີປະຕູຜ່ານການຊໍາລະເງິນໃນຄໍາຮ້ອງຂໍການຊໍາລະເງິນນີ້, -The request for quotation can be accessed by clicking on the following link,ການຮ້ອງຂໍສໍາລັບວົງຢືມສາມາດໄດ້ຮັບການເຂົ້າເຖິງໄດ້ໂດຍການຄລິກໃສ່ການເຊື່ອມຕໍ່ດັ່ງຕໍ່ໄປນີ້, The selected BOMs are not for the same item,ໄດ້ແອບເປີ້ນເລືອກບໍ່ໄດ້ສໍາລັບການບໍ່ວ່າຈະເປັນ, The selected item cannot have Batch,ການລາຍການທີ່ເລືອກບໍ່ສາມາດມີ Batch, The seller and the buyer cannot be the same,ຜູ້ຂາຍແລະຜູ້ຊື້ບໍ່ສາມາດດຽວກັນ, @@ -3543,7 +3539,6 @@ Company GSTIN,ບໍລິສັດ GSTIN, Company field is required,ຕ້ອງມີພາກສະ ໜາມ ຂອງບໍລິສັດ, Creating Dimensions...,ກຳ ລັງສ້າງຂະ ໜາດ ..., Duplicate entry against the item code {0} and manufacturer {1},ການປ້ອນຂໍ້ມູນຊ້ ຳ ກັບລະຫັດສິນຄ້າ {0} ແລະຜູ້ຜະລິດ {1}, -Import Chart Of Accounts from CSV / Excel files,ນຳ ເຂົ້າ Chart Of Accounts ຈາກ CSV / Excel files, 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 ຫຼືຜູ້ໃຫ້ບໍລິການທີ່ບໍ່ແມ່ນຜູ້ຢູ່ອາໃສ, Invoice Grand Total,ໃບເກັບເງິນ Grand Total, Last carbon check date cannot be a future date,ວັນທີກວດກາຄາບອນສຸດທ້າຍບໍ່ສາມາດເປັນວັນທີໃນອະນາຄົດ, @@ -3920,7 +3915,6 @@ Plaid authentication error,ຂໍ້ຜິດພາດໃນການກວດ Plaid public token error,ຂໍ້ຜິດພາດ token ສາທາລະນະ Plaid, Plaid transactions sync error,ຂໍ້ຜິດພາດຂອງການເຮັດທຸລະ ກຳ ແບບ Plaid, Please check the error log for details about the import errors,ກະລຸນາກວດເບິ່ງຂໍ້ມູນບັນທຶກຂໍ້ຜິດພາດກ່ຽວກັບຂໍ້ຜິດພາດຂອງການ ນຳ ເຂົ້າ, -Please click on the following link to set your new password,ກະລຸນາຄລິກໃສ່ການເຊື່ອມຕໍ່ດັ່ງຕໍ່ໄປນີ້ການຕັ້ງລະຫັດຜ່ານໃຫມ່ຂອງທ່ານ, Please create DATEV Settings for Company {}.,ກະລຸນາສ້າງ ການຕັ້ງຄ່າ DATEV ສຳ ລັບບໍລິສັດ {} ., Please create adjustment Journal Entry for amount {0} ,ກະລຸນາສ້າງການປັບການເຂົ້າວາລະສານ ສຳ ລັບ ຈຳ ນວນເງິນ {0}, Please do not create more than 500 items at a time,ກະລຸນາຢ່າສ້າງຫຼາຍກວ່າ 500 ລາຍການໃນຄັ້ງດຽວ, @@ -4043,7 +4037,6 @@ Search results for,ຜົນການຄົ້ນຫາສໍາລັບ, Select All,ເລືອກທັງຫມົດ, Select Difference Account,ເລືອກບັນຊີຄວາມແຕກຕ່າງ, Select a Default Priority.,ເລືອກບູລິມະສິດ Default., -Select a Supplier from the Default Supplier List of the items below.,ເລືອກຜູ້ສະ ໜອງ ສິນຄ້າຈາກບັນຊີລາຍຊື່ຜູ້ສະ ໜອງ ສິນຄ້າໃນເບື້ອງຕົ້ນຂອງລາຍການຂ້າງລຸ່ມນີ້., Select a company,ເລືອກບໍລິສັດ, Select finance book for the item {0} at row {1},ເລືອກປື້ມການເງິນ ສຳ ລັບລາຍການ {0} ຢູ່ແຖວ {1}, Select only one Priority as Default.,ເລືອກເອົາ ໜຶ່ງ ສິ່ງບູລິມະສິດເປັນຄ່າເລີ່ມຕົ້ນ., @@ -4247,7 +4240,6 @@ Yes,Yes, Actual ,ທີ່ແທ້ຈິງ, Add to cart,ຕື່ມການກັບໂຄງຮ່າງການ, Budget,ງົບປະມານ, -Chart Of Accounts Importer,ຜູ້ ນຳ ເຂົ້າບັນຊີ, Chart of Accounts,Chart Of Accounts, Customer database.,ຖານຂໍ້ມູນລູກຄ້າ., Days Since Last order,ວັນນັບຕັ້ງແຕ່ສັ່ງຫຼ້າສຸດ, @@ -4939,7 +4931,6 @@ Closing Account Head,ປິດຫົວຫນ້າບັນຊີ, POS Customer Group,POS ກຸ່ມລູກຄ້າ, POS Field,POS Field, POS Item Group,ກຸ່ມສິນຄ້າ POS, -[Select],[ເລືອກ], Company Address,ທີ່ຢູ່ບໍລິສັດ, Update Stock,ຫລັກຊັບ, Ignore Pricing Rule,ບໍ່ສົນໃຈກົດລະບຽບການຕັ້ງລາຄາ, @@ -6597,11 +6588,6 @@ Relieving Date,ບັນເທົາອາການວັນທີ່, Reason for Leaving,ເຫດຜົນສໍາລັບການຊຶ່ງເຮັດໃຫ້, Leave Encashed?,ອອກຈາກ Encashed?, Encashment Date,ວັນທີ່ສະຫມັກ Encashment, -Exit Interview Details,ລາຍລະອຽດການທ່ອງທ່ຽວສໍາພາດ, -Held On,ຈັດຂຶ້ນໃນວັນກ່ຽວກັບ, -Reason for Resignation,ເຫດຜົນສໍາລັບການລາອອກ, -Better Prospects,ອະນາຄົດທີ່ດີກວ່າ, -Health Concerns,ຄວາມກັງວົນສຸຂະພາບ, New Workplace,ຖານທີ່ເຮັດວຽກໃຫມ່, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,ຈຳ ນວນເງິນທີ່ສົ່ງຄືນ, @@ -8237,9 +8223,6 @@ Landed Cost Help,ລູກຈ້າງຊ່ວຍເຫລືອຄ່າໃຊ Manufacturers used in Items,ຜູ້ຜະລິດນໍາໃຊ້ໃນການ, Limited to 12 characters,ຈໍາກັດເຖິງ 12 ລັກສະນະ, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,ຕັ້ງສາງ, -Sets 'For Warehouse' in each row of the Items table.,ຕັ້ງ 'ສຳ ລັບສາງ' ໃນແຕ່ລະແຖວຂອງຕາຕະລາງສິນຄ້າ., -Requested For,ຕ້ອງການສໍາລັບ, Partially Ordered,ສັ່ງບາງສ່ວນ, Transferred,ໂອນ, % Ordered,% ຄໍາສັ່ງ, @@ -8688,8 +8671,6 @@ Material Request Warehouse,ສາງຂໍວັດສະດຸ, Select warehouse for material requests,ເລືອກສາງ ສຳ ລັບການຮ້ອງຂໍດ້ານວັດຖຸ, Transfer Materials For Warehouse {0},ໂອນວັດສະດຸ ສຳ ລັບສາງ {0}, Production Plan Material Request Warehouse,ການຂໍອຸປະກອນການວາງແຜນການຜະລິດສາງ, -Set From Warehouse,ຕັ້ງຈາກສາງ, -Source Warehouse (Material Transfer),ສາງແຫຼ່ງຂໍ້ມູນ (ໂອນຍ້າຍວັດສະດຸ), Sets 'Source Warehouse' in each row of the items table.,ຕັ້ງ 'ສາງແຫຼ່ງຂໍ້ມູນ' ໃນແຕ່ລະແຖວຂອງຕາຕະລາງສິນຄ້າ., Sets 'Target Warehouse' in each row of the items table.,ຕັ້ງ 'ສາງເປົ້າ ໝາຍ' ໃນແຕ່ລະແຖວຂອງຕາຕະລາງ., Show Cancelled Entries,ສະແດງລາຍການທີ່ຖືກຍົກເລີກ, @@ -9155,7 +9136,6 @@ Professional Tax,ພາສີອາຊີບ, Is Income Tax Component,ແມ່ນສ່ວນປະກອບອາກອນລາຍໄດ້, Component properties and references ,ຄຸນສົມບັດແລະເອກະສານອ້າງອິງ, Additional Salary ,ເງິນເດືອນເພີ່ມ, -Condtion and formula,ເງື່ອນໄຂແລະສູດ, Unmarked days,ມື້ທີ່ບໍ່ໄດ້ ໝາຍ, Absent Days,ວັນຂາດ, Conditions and Formula variable and example,ເງື່ອນໄຂແລະຕົວປ່ຽນແປງສູດແລະຕົວຢ່າງ, @@ -9442,7 +9422,6 @@ Plaid invalid request error,ຂໍ້ຜິດພາດໃນການຮ້ອ Please check your Plaid client ID and secret values,ກະລຸນາກວດເບິ່ງ ID ຂອງລູກຄ້າ Plaid ແລະຄຸນຄ່າລັບ, Bank transaction creation error,ຂໍ້ຜິດພາດໃນການສ້າງທຸລະ ກຳ ຂອງທະນາຄານ, Unit of Measurement,ຫົວ ໜ່ວຍ ວັດແທກ, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},ແຖວ # {}: ອັດຕາການຂາຍ ສຳ ລັບລາຍການ {} ແມ່ນຕໍ່າກວ່າ {} ຂອງມັນ. ອັດຕາການຂາຍຄວນຈະເປັນອັນດັບ {}, Fiscal Year {0} Does Not Exist,ປີງົບປະມານ {0} ບໍ່ມີ, Row # {0}: Returned Item {1} does not exist in {2} {3},ແຖວ # {0}: ສິນຄ້າທີ່ໄດ້ກັບມາ {1} ບໍ່ມີຢູ່ໃນ {2} {3}, Valuation type charges can not be marked as Inclusive,ຄ່າບໍລິການປະເພດການປະເມີນມູນຄ່າບໍ່ສາມາດຖືກ ໝາຍ ວ່າລວມ, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,ກຳ ນົ Response Time for {0} priority in row {1} can't be greater than Resolution Time.,ເວລາຕອບໂຕ້ ສຳ ລັບ {0} ບູລິມະສິດໃນແຖວ {1} ບໍ່ສາມາດໃຫຍ່ກວ່າເວລາ Resolution (Resolution Time)., {0} is not enabled in {1},{0} ບໍ່ໄດ້ເປີດໃຊ້ໃນ {1}, Group by Material Request,ຈັດກຸ່ມໂດຍການຮ້ອງຂໍເອກະສານ, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","ແຖວ {0}: ສຳ ລັບຜູ້ສະ ໜອງ {0}, ທີ່ຢູ່ອີເມວ ຈຳ ເປັນຕ້ອງສົ່ງອີເມວ", Email Sent to Supplier {0},ສົ່ງອີເມວໄປຫາຜູ້ສະ ໜອງ {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","ການເຂົ້າເຖິງການຂໍເອົາວົງຢືມຈາກປະຕູແມ່ນຖືກປິດໃຊ້ງານ. ເພື່ອອະນຸຍາດໃຫ້ເຂົ້າເຖິງ, ເປີດໃຊ້ມັນຢູ່ໃນ Portal Settings.", Supplier Quotation {0} Created,ວົງຢືມຜູ້ສະ ໜອງ {0} ສ້າງຂື້ນມາ, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},ນ້ ຳ ໜັກ ທ Account {0} exists in parent company {1}.,ບັນຊີ {0} ມີຢູ່ໃນບໍລິສັດແມ່ {1}., "To overrule this, enable '{0}' in company {1}","ເພື່ອລົບລ້າງສິ່ງນີ້, ເປີດໃຊ້ '{0}' ໃນບໍລິສັດ {1}", Invalid condition expression,ການສະແດງອອກເງື່ອນໄຂທີ່ບໍ່ຖືກຕ້ອງ, +Please Select a Company First,ກະລຸນາເລືອກບໍລິສັດກ່ອນ, +Please Select Both Company and Party Type First,ກະລຸນາເລືອກເອົາທັງບໍລິສັດແລະປະເພດພັກກ່ອນ, +Provide the invoice portion in percent,ໃຫ້ສ່ວນໃບເກັບເງິນເປັນເປີເຊັນ, +Give number of days according to prior selection,ໃຫ້ ຈຳ ນວນມື້ຕາມການເລືອກກ່ອນ, +Email Details,ລາຍລະອຽດອີເມວ, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","ເລືອກ ຄຳ ທັກທາຍ ສຳ ລັບຜູ້ຮັບ. ຕົວຢ່າງທ່ານ, ນາງ, ແລະອື່ນໆ.", +Preview Email,ເບິ່ງຕົວຢ່າງ Email, +Please select a Supplier,ກະລຸນາເລືອກຜູ້ສະ ໜອງ, +Supplier Lead Time (days),ເວລາ ນຳ ຂອງຜູ້ສະ ໜອງ (ມື້), +"Home, Work, etc.","ເຮືອນ, ບ່ອນເຮັດວຽກ, ແລະອື່ນໆ", +Exit Interview Held On,ການ ສຳ ພາດອອກໄດ້ຈັດຂຶ້ນ, +Condition and formula,ເງື່ອນໄຂແລະສູດ, +Sets 'Target Warehouse' in each row of the Items table.,ຕັ້ງ 'ສາງເປົ້າ ໝາຍ' ໃນແຕ່ລະແຖວຂອງຕາຕະລາງສິນຄ້າ., +Sets 'Source Warehouse' in each row of the Items table.,ຕັ້ງ 'ສາງແຫຼ່ງຂໍ້ມູນ' ໃນແຕ່ລະແຖວຂອງຕາຕະລາງສິນຄ້າ., +POS Register,POS ລົງທະບຽນ, +"Can not filter based on POS Profile, if grouped by POS Profile","ບໍ່ສາມາດກັ່ນຕອງໄດ້ໂດຍອີງໃສ່ໂປແກຼມ POS, ຖ້າຈັດເປັນກຸ່ມໂດຍໂປຼໄຟລ໌ POS", +"Can not filter based on Customer, if grouped by Customer","ບໍ່ສາມາດກັ່ນຕອງໂດຍອີງໃສ່ລູກຄ້າ, ຖ້າຈັດເປັນກຸ່ມໂດຍລູກຄ້າ", +"Can not filter based on Cashier, if grouped by Cashier","ບໍ່ສາມາດກັ່ນຕອງໄດ້ໂດຍອີງໃສ່ Cashier, ຖ້າຈັດເປັນກຸ່ມໂດຍ Cashier", +Payment Method,ວິທີການຈ່າຍເງິນ, +"Can not filter based on Payment Method, if grouped by Payment Method","ບໍ່ສາມາດກັ່ນຕອງໂດຍອີງໃສ່ວິທີການຈ່າຍເງິນ, ຖ້າຈັດເປັນກຸ່ມດ້ວຍວິທີການຈ່າຍເງິນ", +Supplier Quotation Comparison,ການປຽບທຽບວົງຢືມຂອງຜູ້ສະ ໜອງ, +Price per Unit (Stock UOM),ລາຄາຕໍ່ ໜ່ວຍ (Stock UOM), +Group by Supplier,ກຸ່ມໂດຍຜູ້ສະ ໜອງ, +Group by Item,ກຸ່ມໂດຍລາຍການ, +Remember to set {field_label}. It is required by {regulation}.,ຢ່າລືມຕັ້ງຄ່າ {field_label}. ມັນຖືກ ກຳ ນົດໂດຍ {ລະບຽບການ}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},ວັນທີລົງທະບຽນບໍ່ສາມາດກ່ອນວັນເຂົ້າຮຽນຂອງປີການສຶກສາ {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},ວັນທີລົງທະບຽນບໍ່ໃຫ້ກາຍວັນສິ້ນສຸດໄລຍະການສຶກສາ {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},ວັນທີລົງທະບຽນບໍ່ສາມາດກ່ອນວັນທີເລີ່ມການສຶກສາ {0}, +Posting future transactions are not allowed due to Immutable Ledger,ການປະກາດທຸລະ ກຳ ໃນອະນາຄົດແມ່ນບໍ່ໄດ້ຮັບອະນຸຍາດເນື່ອງຈາກ Immutable Ledger, +Future Posting Not Allowed,ການປະກາດໃນອະນາຄົດບໍ່ໄດ້ຮັບອະນຸຍາດ, +"To enable Capital Work in Progress Accounting, ","ເພື່ອເຮັດໃຫ້ນະຄອນຫຼວງເຮັດວຽກໃນຄວາມຄືບ ໜ້າ ໃນບັນຊີ,", +you must select Capital Work in Progress Account in accounts table,ທ່ານຕ້ອງເລືອກບັນຊີ Capital Work in Progress Account ໃນຕາຕະລາງບັນຊີ, +You can also set default CWIP account in Company {},ທ່ານຍັງສາມາດຕັ້ງຄ່າບັນຊີ CWIP ໃນບໍລິສັດ {}, +The Request for Quotation can be accessed by clicking on the following button,ຄຳ ຮ້ອງຂໍການສະ ເໜີ ລາຄາສາມາດເຂົ້າເບິ່ງໄດ້ໂດຍການກົດປຸ່ມຕໍ່ໄປນີ້, +Regards,ກ່ຽວກັບ, +Please click on the following button to set your new password,ກະລຸນາກົດປຸ່ມຕໍ່ໄປນີ້ເພື່ອຕັ້ງລະຫັດລັບ ໃໝ່ ຂອງທ່ານ, +Update Password,ປັບປຸງລະຫັດຜ່ານ, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},ແຖວ # {}: ອັດຕາການຂາຍ ສຳ ລັບລາຍການ {} ແມ່ນຕໍ່າກວ່າ {} ຂອງມັນ. ການຂາຍ {} ຄວນຈະເປັນອັນດັບ {}, +You can alternatively disable selling price validation in {} to bypass this validation.,ທ່ານສາມາດປິດການ ນຳ ໃຊ້ຄວາມຖືກຕ້ອງຂອງລາຄາໃນ {} ເພື່ອຫລີກລ້ຽງການຢືນຢັນນີ້., +Invalid Selling Price,ລາຄາຂາຍບໍ່ຖືກຕ້ອງ, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,ທີ່ຢູ່ຕ້ອງໄດ້ເຊື່ອມໂຍງກັບບໍລິສັດ. ກະລຸນາຕື່ມແຖວ ສຳ ລັບບໍລິສັດໃນຕາຕະລາງ Links., +Company Not Linked,ບໍລິສັດບໍ່ເຊື່ອມໂຍງ, +Import Chart of Accounts from CSV / Excel files,ນຳ ເຂົ້າຕາຕະລາງບັນຊີຈາກໄຟລ໌ CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',Qty ສຳ ເລັດແລ້ວບໍ່ສາມາດໃຫຍ່ກວ່າ 'Qty to manufacture', +"Row {0}: For Supplier {1}, Email Address is Required to send an email","ແຖວ {0}: ສຳ ລັບຜູ້ສະ ໜອງ {1}, ທີ່ຢູ່ອີເມວ ຈຳ ເປັນຕ້ອງສົ່ງອີເມວ", diff --git a/erpnext/translations/lt.csv b/erpnext/translations/lt.csv index dbd3cfcfa2..88520db763 100644 --- a/erpnext/translations/lt.csv +++ b/erpnext/translations/lt.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Mokesčio tip Chargeble,Apmokestinamas, Charges are updated in Purchase Receipt against each item,Mokesčiai yra atnaujinama pirkimo kvitą su kiekvieno elemento, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Mokesčiai bus platinamas proporcingai remiantis punktas Kiekis arba sumos, kaip už savo pasirinkimą", -Chart Of Accounts,Sąskaitų planas, Chart of Cost Centers,Schema sąnaudų centrams, Check all,Viską Patikrink, Checkout,Užsakymas, @@ -581,7 +580,6 @@ Company {0} does not exist,Įmonės {0} neegzistuoja, Compensatory Off,kompensacinė Išjungtas, Compensatory leave request days not in valid holidays,Kompensuojamųjų atostogų prašymo dienos netaikomos galiojančiomis atostogomis, Complaint,Skundas, -Completed Qty can not be greater than 'Qty to Manufacture',Užbaigtas Kiekis negali būti didesnis nei "Kiekis iki Gamyba", Completion Date,užbaigimo data, Computer,Kompiuteris, Condition,būklė, @@ -2033,7 +2031,6 @@ Please select Category first,Prašome pasirinkti Kategorija pirmas, Please select Charge Type first,Prašome pasirinkti mokesčių rūšis pirmą kartą, Please select Company,Prašome pasirinkti kompaniją, Please select Company and Designation,Pasirinkite bendrovę ir žymėjimą, -Please select Company and Party Type first,Prašome pasirinkti bendrovė ir šalies tipo pirmas, Please select Company and Posting Date to getting entries,"Jei norite gauti įrašus, pasirinkite Įmonės ir paskelbimo datą", Please select Company first,Prašome pasirinkti Company pirmas, Please select Completion Date for Completed Asset Maintenance Log,Prašome pasirinkti baigtinio turto priežiūros žurnalo užbaigimo datą, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,"Instituto p The name of your company for which you are setting up this system.,"Jūsų įmonės pavadinimas, dėl kurių jūs nustatote šią sistemą.", The number of shares and the share numbers are inconsistent,Akcijų skaičius ir akcijų skaičius yra nenuoseklūs, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Plano {0} mokėjimo sąsajos sąskaita skiriasi nuo mokėjimo sąsajos sąskaitos šiame mokėjimo prašyme, -The request for quotation can be accessed by clicking on the following link,Už citatos prašymas gali būti atvertas paspaudę šią nuorodą, The selected BOMs are not for the same item,Pasirinktos BOMs yra ne to paties objekto, The selected item cannot have Batch,Pasirinktas elementas negali turėti Serija, The seller and the buyer cannot be the same,Pardavėjas ir pirkėjas negali būti vienodi, @@ -3543,7 +3539,6 @@ Company GSTIN,Įmonės GSTIN, Company field is required,Įmonės laukas yra būtinas, Creating Dimensions...,Kuriami aspektai ..., Duplicate entry against the item code {0} and manufacturer {1},Gaminio kodo {0} ir gamintojo {1} dublikatas, -Import Chart Of Accounts from CSV / Excel files,Importuokite sąskaitų diagramą iš CSV / „Excel“ failų, Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Neteisingas GSTIN! Jūsų įvestas įrašas neatitinka UIN turėtojų ar nerezidentų OIDAR paslaugų teikėjų GSTIN formato, Invoice Grand Total,Sąskaita faktūra iš viso, Last carbon check date cannot be a future date,Paskutinė anglies dioksido kiekio tikrinimo data negali būti būsima data, @@ -3920,7 +3915,6 @@ Plaid authentication error,Paprastos autentifikacijos klaida, Plaid public token error,Akivaizdi viešojo ženklo klaida, Plaid transactions sync error,Paprastų operacijų sinchronizavimo klaida, Please check the error log for details about the import errors,"Patikrinkite klaidų žurnalą, kad gautumėte informacijos apie importavimo klaidas", -Please click on the following link to set your new password,Spustelėkite šią nuorodą nustatyti naują slaptažodį, Please create DATEV Settings for Company {}.,Sukurkite DATEV nustatymus įmonei {} ., Please create adjustment Journal Entry for amount {0} ,Sukurkite {0} sumos koregavimo žurnalo įrašą, Please do not create more than 500 items at a time,Nesukurkite daugiau nei 500 daiktų vienu metu, @@ -4043,7 +4037,6 @@ Search results for,Pieškos rezultatai, Select All,Pasirinkti viską, Select Difference Account,Pasirinkite skirtumų sąskaitą, Select a Default Priority.,Pasirinkite numatytąjį prioritetą., -Select a Supplier from the Default Supplier List of the items below.,"Iš tiekėjų, esančių žemiau esančiame prekių sąraše, pasirinkite tiekėją.", Select a company,Pasirinkite įmonę, Select finance book for the item {0} at row {1},Pasirinkite {0} eilutės {1} finansinę knygą, Select only one Priority as Default.,Pasirinkite tik vieną prioritetą kaip numatytąjį., @@ -4247,7 +4240,6 @@ Yes,Taip, Actual ,faktinis, Add to cart,Į krepšelį, Budget,Biudžetas, -Chart Of Accounts Importer,Sąskaitų diagrama, Chart of Accounts,Sąskaitų diagrama, Customer database.,Klientų duomenų bazė., Days Since Last order,Dienos nuo paskutinio įsakymo, @@ -4939,7 +4931,6 @@ Closing Account Head,Uždarymo sąskaita vadovas, POS Customer Group,POS Klientų grupė, POS Field,POS laukas, POS Item Group,POS punktas grupė, -[Select],[Pasirinkti], Company Address,Kompanijos adresas, Update Stock,Atnaujinti sandėlyje, Ignore Pricing Rule,Ignoruoti kainodaros taisyklė, @@ -6597,11 +6588,6 @@ Relieving Date,malšinančių data, Reason for Leaving,Išvykimo priežastis, Leave Encashed?,Palikite Encashed?, Encashment Date,išgryninimo data, -Exit Interview Details,Išeiti Interviu detalės, -Held On,vyks, -Reason for Resignation,"Priežastis, dėl atsistatydinimo", -Better Prospects,Geresnės perspektyvos, -Health Concerns,sveikatos problemas, New Workplace,nauja Darbo, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Grąžinta suma, @@ -8237,9 +8223,6 @@ Landed Cost Help,Nusileido kaina Pagalba, Manufacturers used in Items,Gamintojai naudojami daiktai, Limited to 12 characters,Ribojamas iki 12 simbolių, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Nustatyti sandėlį, -Sets 'For Warehouse' in each row of the Items table.,Kiekvienoje lentelės Elementai eilutėje nustatomas „Sandėliui“., -Requested For,prašoma Dėl, Partially Ordered,Iš dalies užsakyta, Transferred,Perduotas, % Ordered,% Užsakytas, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Medžiagų užklausų sandėlis, Select warehouse for material requests,Pasirinkite sandėlį medžiagų užklausoms, Transfer Materials For Warehouse {0},Sandėlio medžiagos perdavimas {0}, Production Plan Material Request Warehouse,Gamybos plano medžiagų užklausų sandėlis, -Set From Warehouse,Rinkinys iš sandėlio, -Source Warehouse (Material Transfer),Šaltinio sandėlis (medžiagų perdavimas), Sets 'Source Warehouse' in each row of the items table.,Kiekvienoje elementų lentelės eilutėje nustatomas „Šaltinio sandėlis“., Sets 'Target Warehouse' in each row of the items table.,Kiekvienoje elementų lentelės eilutėje nustatomas „Tikslinis sandėlis“., Show Cancelled Entries,Rodyti atšauktus įrašus, @@ -9155,7 +9136,6 @@ Professional Tax,Profesinis mokestis, Is Income Tax Component,Yra pajamų mokesčio komponentas, Component properties and references ,Komponento savybės ir nuorodos, Additional Salary ,Papildomas atlyginimas, -Condtion and formula,Sąlyga ir formulė, Unmarked days,Nepažymėtos dienos, Absent Days,Nėra dienų, Conditions and Formula variable and example,Sąlygos ir formulės kintamasis ir pavyzdys, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Neteisinga užklausos klaida, Please check your Plaid client ID and secret values,Patikrinkite „Plaid“ kliento ID ir slaptas vertes, Bank transaction creation error,Banko operacijos kūrimo klaida, Unit of Measurement,Matavimo vienetas, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},# Eilutė: {} prekės pardavimo rodiklis yra mažesnis nei jos {}. Pardavimo norma turėtų būti mažiausiai {}, Fiscal Year {0} Does Not Exist,Finansiniai metai {0} neegzistuoja, Row # {0}: Returned Item {1} does not exist in {2} {3},{0} eilutė: grąžinto elemento {1} nėra {2} {3}, Valuation type charges can not be marked as Inclusive,Vertinimo tipo mokesčiai negali būti pažymėti kaip imtinai, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Nustatykite a Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Atsakymo laikas pagal {0} prioritetą {1} eilutėje negali būti ilgesnis nei skiriamosios gebos laikas., {0} is not enabled in {1},„{0}“ neįgalinta {1}, Group by Material Request,Grupuoti pagal medžiagos užklausą, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",{0} eilutė: Tiekėjui {0} el. Pašto adresas reikalingas norint siųsti el. Laišką, Email Sent to Supplier {0},El. Laiškas išsiųstas tiekėjui {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Išjungta prieiga prie prašymo pateikti citatą iš portalo. Norėdami leisti prieigą, įjunkite jį portalo nustatymuose.", Supplier Quotation {0} Created,Tiekėjo pasiūlymas {0} sukurtas, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Bendras priskirtas svoris Account {0} exists in parent company {1}.,Paskyra {0} yra pagrindinėje įmonėje {1}., "To overrule this, enable '{0}' in company {1}","Norėdami tai atmesti, įgalinkite „{0}“ įmonėje {1}", Invalid condition expression,Netinkama sąlygos išraiška, +Please Select a Company First,Pirmiausia pasirinkite įmonę, +Please Select Both Company and Party Type First,"Pirmiausia pasirinkite tiek įmonės, tiek vakarėlio tipą", +Provide the invoice portion in percent,Sąskaitos faktūros dalį pateikite procentais, +Give number of days according to prior selection,Nurodykite dienų skaičių pagal išankstinę atranką, +Email Details,Išsami el. Pašto informacija, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Pasirinkite sveikinimą gavėjui. Pvz., Ponia, ponia ir kt.", +Preview Email,Peržiūrėti el. Paštą, +Please select a Supplier,Pasirinkite tiekėją, +Supplier Lead Time (days),Tiekėjo vykdymo laikas (dienomis), +"Home, Work, etc.","Namai, darbas ir kt.", +Exit Interview Held On,„Exit Interview Held On“, +Condition and formula,Sąlyga ir formulė, +Sets 'Target Warehouse' in each row of the Items table.,Kiekvienoje lentelės Elementai eilutėje nustatomas „Tikslinis sandėlis“., +Sets 'Source Warehouse' in each row of the Items table.,Kiekvienoje lentelės „Elementai“ eilutėje nustatomas „Šaltinio sandėlis“., +POS Register,POS registras, +"Can not filter based on POS Profile, if grouped by POS Profile","Negalima filtruoti pagal POS profilį, jei jis grupuojamas pagal POS profilį", +"Can not filter based on Customer, if grouped by Customer","Negalima filtruoti pagal klientą, jei jis sugrupuotas pagal klientą", +"Can not filter based on Cashier, if grouped by Cashier","Negalima filtruoti pagal kasininką, jei grupuojama pagal kasininką", +Payment Method,Mokėjimo būdas, +"Can not filter based on Payment Method, if grouped by Payment Method","Negalima filtruoti pagal mokėjimo metodą, jei jis grupuojamas pagal mokėjimo metodą", +Supplier Quotation Comparison,Tiekėjų pasiūlymų palyginimas, +Price per Unit (Stock UOM),Vieneto kaina (atsargų UOM), +Group by Supplier,Grupuoti pagal tiekėją, +Group by Item,Grupuoti pagal punktą, +Remember to set {field_label}. It is required by {regulation}.,Nepamirškite nustatyti {field_label}. To reikalauja {reglamentas}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Registracijos data negali būti ankstesnė nei mokslo metų pradžios data {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Registracijos data negali būti po akademinio laikotarpio pabaigos datos {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Registracijos data negali būti ankstesnė už akademinio laikotarpio pradžios datą {0}, +Posting future transactions are not allowed due to Immutable Ledger,Negalima skelbti būsimų operacijų dėl nekintamos knygos, +Future Posting Not Allowed,Ateityje skelbti negalima, +"To enable Capital Work in Progress Accounting, ",Norėdami įgalinti kapitalo darbo eigą, +you must select Capital Work in Progress Account in accounts table,sąskaitų lentelėje turite pasirinkti Vykdomo kapitalo darbo sąskaitą, +You can also set default CWIP account in Company {},Taip pat galite nustatyti numatytąją CWIP paskyrą įmonėje {}, +The Request for Quotation can be accessed by clicking on the following button,Su prašymu pateikti pasiūlymą galima susipažinti spustelėjus šį mygtuką, +Regards,Pagarbiai, +Please click on the following button to set your new password,"Norėdami nustatyti naują slaptažodį, spustelėkite šį mygtuką", +Update Password,Atnaujinti slaptažodį, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},# Eilutė: {} prekės pardavimo rodiklis yra mažesnis nei jos {}. Pardavimas {} turėtų būti mažiausiai {}, +You can alternatively disable selling price validation in {} to bypass this validation.,"Taip pat galite išjungti pardavimo kainos patvirtinimą {}, kad apeitumėte šį patvirtinimą.", +Invalid Selling Price,Netinkama pardavimo kaina, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Adresas turi būti susietas su įmone. Lentelėje Nuorodos pridėkite įmonės eilutę., +Company Not Linked,Įmonė nesusieta, +Import Chart of Accounts from CSV / Excel files,Importuoti sąskaitų planą iš CSV / Excel failų, +Completed Qty cannot be greater than 'Qty to Manufacture',Užpildytas kiekis negali būti didesnis nei „Gamybos kiekis“, +"Row {0}: For Supplier {1}, Email Address is Required to send an email","{0} eilutė: Tiekėjui {1}, norint išsiųsti el. Laišką, būtinas el. Pašto adresas", diff --git a/erpnext/translations/lv.csv b/erpnext/translations/lv.csv index 008203dba8..73c8d2b12c 100644 --- a/erpnext/translations/lv.csv +++ b/erpnext/translations/lv.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Lādiņš ti Chargeble,Maksas, Charges are updated in Purchase Receipt against each item,Izmaksas tiek atjauninātas pirkuma čeka pret katru posteni, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Maksas tiks izplatīts proporcionāli, pamatojoties uz vienību Daudz vai summu, kā par savu izvēli", -Chart Of Accounts,Kontu, Chart of Cost Centers,Shēma izmaksu centriem, Check all,Pārbaudi visu, Checkout,Izrakstīšanās, @@ -581,7 +580,6 @@ Company {0} does not exist,Uzņēmuma {0} neeksistē, Compensatory Off,Kompensējošs Off, Compensatory leave request days not in valid holidays,Kompensācijas atvaļinājuma pieprasījuma dienas nav derīgas brīvdienās, Complaint,Sūdzība, -Completed Qty can not be greater than 'Qty to Manufacture',"Pabeigts Daudz nevar būt lielāks par ""Daudz, lai ražotu""", Completion Date,Pabeigšana Datums, Computer,Dators, Condition,Nosacījums, @@ -2033,7 +2031,6 @@ Please select Category first,"Lūdzu, izvēlieties Kategorija pirmais", Please select Charge Type first,"Lūdzu, izvēlieties iekasēšanas veids pirmais", Please select Company,"Lūdzu, izvēlieties Uzņēmums", Please select Company and Designation,"Lūdzu, atlasiet Uzņēmums un Apzīmējums", -Please select Company and Party Type first,"Lūdzu, izvēlieties Uzņēmumu un Party tips pirmais", Please select Company and Posting Date to getting entries,"Lūdzu, izvēlieties Uzņēmums un Publicēšanas datums, lai saņemtu ierakstus", Please select Company first,"Lūdzu, izvēlieties Company pirmais", Please select Completion Date for Completed Asset Maintenance Log,"Lūdzu, atlasiet pabeigtā īpašuma uzturēšanas žurnāla pabeigšanas datumu", @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,"Institūta The name of your company for which you are setting up this system.,"Jūsu uzņēmuma nosaukums, par kuru jums ir izveidot šo sistēmu.", The number of shares and the share numbers are inconsistent,Akciju skaits un akciju skaits ir pretrunīgi, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Plāna {0} maksājuma vārtejas konts atšķiras no maksājuma vārtejas konta šajā maksājuma pieprasījumā, -The request for quotation can be accessed by clicking on the following link,"Par citāts pieprasījumu var piekļūt, uzklikšķinot uz šīs saites", The selected BOMs are not for the same item,Izvēlētie BOMs nav par to pašu posteni, The selected item cannot have Batch,Izvēlētais objekts nevar būt partijas, The seller and the buyer cannot be the same,Pārdevējs un pircējs nevar būt vienādi, @@ -3543,7 +3539,6 @@ Company GSTIN,Kompānija GSTIN, Company field is required,Jānorāda uzņēmuma lauks, Creating Dimensions...,Notiek kategoriju izveidošana ..., Duplicate entry against the item code {0} and manufacturer {1},Ieraksta dublikāts attiecībā uz preces kodu {0} un ražotāju {1}, -Import Chart Of Accounts from CSV / Excel files,Importējiet kontu diagrammu no CSV / Excel failiem, 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! Jūsu ievadītā ievade neatbilst GSTIN formātam UIN turētājiem vai nerezidentu OIDAR pakalpojumu sniedzējiem, Invoice Grand Total,Rēķins kopā, Last carbon check date cannot be a future date,Pēdējais oglekļa pārbaudes datums nevar būt nākotnes datums, @@ -3920,7 +3915,6 @@ Plaid authentication error,Rotaļa autentifikācijas kļūda, Plaid public token error,Plaša publiskā marķiera kļūda, Plaid transactions sync error,Riska darījuma sinhronizācijas kļūda, Please check the error log for details about the import errors,"Lūdzu, pārbaudiet kļūdu žurnālu, lai iegūtu sīkāku informāciju par importēšanas kļūdām", -Please click on the following link to set your new password,"Lūdzu, noklikšķiniet uz šīs saites, lai uzstādītu jauno paroli", Please create DATEV Settings for Company {}.,"Lūdzu, izveidojiet DATEV iestatījumus uzņēmumam {} .", Please create adjustment Journal Entry for amount {0} ,"Lūdzu, izveidojiet korekcijas žurnāla ierakstu summai {0}.", Please do not create more than 500 items at a time,"Lūdzu, neveidojiet vairāk par 500 vienībām vienlaikus", @@ -4043,7 +4037,6 @@ Search results for,Meklēšanas rezultāti, Select All,Izvēlēties visu, Select Difference Account,Atlasiet Starpības konts, Select a Default Priority.,Atlasiet noklusējuma prioritāti., -Select a Supplier from the Default Supplier List of the items below.,Zemāk esošo vienumu noklusējuma sarakstā atlasiet piegādātāju., Select a company,Izvēlieties uzņēmumu, Select finance book for the item {0} at row {1},Atlasiet {0} posteņa {1} finanšu grāmatu, Select only one Priority as Default.,Atlasiet tikai vienu prioritāti kā noklusējumu., @@ -4247,7 +4240,6 @@ Yes,Jā, Actual ,Faktisks, Add to cart,Pievienot grozam, Budget,Budžets, -Chart Of Accounts Importer,Importētāja kontu diagramma, Chart of Accounts,Kontu diagramma, Customer database.,Klientu datu bāze., Days Since Last order,Dienas kopš pēdējā pasūtījuma, @@ -4939,7 +4931,6 @@ Closing Account Head,Noslēguma konta vadītājs, POS Customer Group,POS Klientu Group, POS Field,POS lauks, POS Item Group,POS Prece Group, -[Select],[Izvēlēties], Company Address,Uzņēmuma adrese, Update Stock,Update Stock, Ignore Pricing Rule,Ignorēt cenu veidošanas likumu, @@ -6597,11 +6588,6 @@ Relieving Date,Atbrīvojot Datums, Reason for Leaving,Iemesls Atstājot, Leave Encashed?,Atvaļinājums inkasēta?, Encashment Date,Inkasācija Datums, -Exit Interview Details,Iziet Intervija Details, -Held On,Notika, -Reason for Resignation,Iemesls atkāpšanās no amata, -Better Prospects,Labākas izredzes, -Health Concerns,Veselības problēmas, New Workplace,Jaunajā darbavietā, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Atgrieztā summa, @@ -8237,9 +8223,6 @@ Landed Cost Help,Izkrauti izmaksas Palīdzība, Manufacturers used in Items,Ražotāji izmanto preces, Limited to 12 characters,Ierobežots līdz 12 simboliem, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Iestatiet noliktavu, -Sets 'For Warehouse' in each row of the Items table.,Tabulas Items katrā rindā iestata 'For Warehouse'., -Requested For,Pieprasīts Par, Partially Ordered,Daļēji pasūtīts, Transferred,Pārskaitīts, % Ordered,% Pasūtīts, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Materiālu pieprasījumu noliktava, Select warehouse for material requests,Atlasiet noliktavu materiālu pieprasījumiem, Transfer Materials For Warehouse {0},Materiālu pārsūtīšana noliktavai {0}, Production Plan Material Request Warehouse,Ražošanas plāna materiālu pieprasījumu noliktava, -Set From Warehouse,Komplekts No noliktavas, -Source Warehouse (Material Transfer),Avota noliktava (materiālu pārsūtīšana), Sets 'Source Warehouse' in each row of the items table.,Katrā vienumu tabulas rindā iestata “Avota noliktava”., Sets 'Target Warehouse' in each row of the items table.,Katrā vienumu tabulas rindā iestata 'Mērķa noliktava'., Show Cancelled Entries,Rādīt atceltos ierakstus, @@ -9155,7 +9136,6 @@ Professional Tax,Profesionālais nodoklis, Is Income Tax Component,Ir ienākuma nodokļa sastāvdaļa, Component properties and references ,Komponentu īpašības un atsauces, Additional Salary ,Papildalga, -Condtion and formula,Nosacījums un formula, Unmarked days,Nezīmētas dienas, Absent Days,Nebūšanas dienas, Conditions and Formula variable and example,Nosacījumi un Formulas mainīgais un piemērs, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Plaid nederīga pieprasījuma kļūda, Please check your Plaid client ID and secret values,"Lūdzu, pārbaudiet savu Plaid klienta ID un slepenās vērtības", Bank transaction creation error,Kļūda bankas darījuma izveidē, Unit of Measurement,Mērvienība, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},#. Rinda: vienuma {} pārdošanas likme ir zemāka par tā {}. Pārdošanas likmei jābūt vismaz {}, Fiscal Year {0} Does Not Exist,Fiskālais gads {0} nepastāv, Row # {0}: Returned Item {1} does not exist in {2} {3},{0}. Rinda: atgrieztais vienums {1} nepastāv šeit: {2} {3}, Valuation type charges can not be marked as Inclusive,Novērtēšanas veida izmaksas nevar atzīmēt kā iekļaujošas, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Iestatiet pri Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Reakcijas laiks {0} prioritātei rindā {1} nevar būt ilgāks par izšķirtspējas laiku., {0} is not enabled in {1},Vietne {0} nav iespējota šeit: {1}, Group by Material Request,Grupēt pēc materiāla pieprasījuma, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","{0} rinda: Piegādātājam {0} e-pasta adrese ir nepieciešama, lai nosūtītu e-pastu", Email Sent to Supplier {0},E-pasts nosūtīts piegādātājam {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Piekļuve pieprasījumam no portāla ir atspējota. Lai atļautu piekļuvi, iespējojiet to portāla iestatījumos.", Supplier Quotation {0} Created,Piegādātāja piedāvājums {0} izveidots, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Kopējam piešķirtajam sv Account {0} exists in parent company {1}.,Konts {0} pastāv mātes uzņēmumā {1}., "To overrule this, enable '{0}' in company {1}","Lai to atceltu, iespējojiet “{0}” uzņēmumā {1}", Invalid condition expression,Nederīga nosacījuma izteiksme, +Please Select a Company First,"Lūdzu, vispirms atlasiet uzņēmumu", +Please Select Both Company and Party Type First,"Lūdzu, vispirms atlasiet gan uzņēmuma, gan ballītes veidu", +Provide the invoice portion in percent,Norādiet rēķina daļu procentos, +Give number of days according to prior selection,Norādiet dienu skaitu pēc iepriekšējas izvēles, +Email Details,E-pasta informācija, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Izvēlieties sveicienu uztvērējam. Piemēram, kungs, kundze utt.", +Preview Email,Priekšskatīt e-pastu, +Please select a Supplier,"Lūdzu, izvēlieties piegādātāju", +Supplier Lead Time (days),Piegādātāja izpildes laiks (dienas), +"Home, Work, etc.","Mājas, darbs utt.", +Exit Interview Held On,Izejas intervija notiek, +Condition and formula,Stāvoklis un formula, +Sets 'Target Warehouse' in each row of the Items table.,Katrā tabulas Vienumi rindā iestata 'Mērķa noliktava'., +Sets 'Source Warehouse' in each row of the Items table.,Katrā tabulas Elementi rindā iestata “Avota noliktava”., +POS Register,POS reģistrs, +"Can not filter based on POS Profile, if grouped by POS Profile","Nevar filtrēt, pamatojoties uz POS profilu, ja tas ir grupēts pēc POS profila", +"Can not filter based on Customer, if grouped by Customer","Nevar filtrēt, pamatojoties uz klientu, ja tas ir grupēts pēc klienta", +"Can not filter based on Cashier, if grouped by Cashier","Nevar filtrēt, pamatojoties uz kasieri, ja tos sagrupē kasieris", +Payment Method,Apmaksas veids, +"Can not filter based on Payment Method, if grouped by Payment Method","Nevar filtrēt, pamatojoties uz maksājuma veidu, ja tas ir grupēts pēc maksājuma veida", +Supplier Quotation Comparison,Piegādātāju cenu salīdzinājums, +Price per Unit (Stock UOM),Vienības cena (krājuma UOM), +Group by Supplier,Grupēt pēc piegādātāja, +Group by Item,Grupēt pēc vienumiem, +Remember to set {field_label}. It is required by {regulation}.,Atcerieties iestatīt {field_label}. To prasa {regulējums}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Reģistrācijas datums nevar būt pirms akadēmiskā gada sākuma datuma {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Reģistrācijas datums nevar būt pēc akadēmiskā termiņa beigu datuma {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Reģistrācijas datums nevar būt pirms akadēmiskā termiņa sākuma datuma {0}, +Posting future transactions are not allowed due to Immutable Ledger,Turpmāko darījumu grāmatošana nav atļauta maināmās grāmatas dēļ, +Future Posting Not Allowed,Turpmākā norīkošana nav atļauta, +"To enable Capital Work in Progress Accounting, ","Lai iespējotu kapitāla darbu grāmatvedībā,", +you must select Capital Work in Progress Account in accounts table,kontu tabulā jāatlasa Kapitāla darba process, +You can also set default CWIP account in Company {},Varat arī iestatīt noklusējuma CWIP kontu uzņēmumā {}, +The Request for Quotation can be accessed by clicking on the following button,"Piedāvājuma pieprasījumam var piekļūt, noklikšķinot uz šīs pogas", +Regards,Sveicieni, +Please click on the following button to set your new password,"Lūdzu, noklikšķiniet uz šīs pogas, lai iestatītu jauno paroli", +Update Password,Atjaunināt paroli, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},#. Rinda: vienuma {} pārdošanas likme ir zemāka par tā {}. Pārdošanai {} jābūt vismaz {}, +You can alternatively disable selling price validation in {} to bypass this validation.,"Varat arī atspējot pārdošanas cenas apstiprināšanu vietnē {}, lai apietu šo validāciju.", +Invalid Selling Price,Nederīga pārdošanas cena, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,"Adresei jābūt saistītai ar uzņēmumu. Lūdzu, tabulā Saites pievienojiet rindu uzņēmumam Uzņēmums.", +Company Not Linked,Uzņēmums nav saistīts, +Import Chart of Accounts from CSV / Excel files,Importēt kontu plānu no CSV / Excel failiem, +Completed Qty cannot be greater than 'Qty to Manufacture',Pabeigtais daudzums nedrīkst būt lielāks par “Daudzums izgatavošanai”, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",{0} rinda: piegādātājam {1} e-pasta adreses nosūtīšanai ir nepieciešama e-pasta adrese, diff --git a/erpnext/translations/mk.csv b/erpnext/translations/mk.csv index 45ea856091..3f969ac5ef 100644 --- a/erpnext/translations/mk.csv +++ b/erpnext/translations/mk.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Полнењ Chargeble,Шаргел, Charges are updated in Purchase Receipt against each item,Обвиненијата се ажурирани Набавка Потврда против секоја ставка, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Кривична пријава ќе биде дистрибуиран пропорционално врз основа на точка количество: Контакт лице или количина, како на вашиот избор", -Chart Of Accounts,Сметковниот план, Chart of Cost Centers,Шема на трошоците центри, Check all,Проверете ги сите, Checkout,Плаќање, @@ -581,7 +580,6 @@ Company {0} does not exist,Компанијата {0} не постои, Compensatory Off,Обесштетување Off, Compensatory leave request days not in valid holidays,Денови за барање компензаторско отсуство не се во валидни празници, Complaint,Жалба, -Completed Qty can not be greater than 'Qty to Manufacture',Завршено Количина не може да биде поголем од "Количина на производство", Completion Date,Датум на завршување, Computer,Компјутер, Condition,Состојба, @@ -2033,7 +2031,6 @@ Please select Category first,Ве молиме изберете категори Please select Charge Type first,Ве молиме изберете Полнење Тип прв, Please select Company,Ве молиме изберете ја компанијата, Please select Company and Designation,Изберете компанија и ознака, -Please select Company and Party Type first,Ве молиме изберете компанија и Партијата Тип прв, Please select Company and Posting Date to getting entries,Ве молиме изберете Компанија и Датум на објавување за да добивате записи, Please select Company first,Ве молиме изберете ја првата компанија, Please select Completion Date for Completed Asset Maintenance Log,Изберете датум за завршување на дневник за одржување на средствата, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Името The name of your company for which you are setting up this system.,Името на вашата компанија за која сте за создавање на овој систем., The number of shares and the share numbers are inconsistent,Бројот на акции и бројот на акции се недоследни, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Сметката за платежна портал во планот {0} е различна од сметката на платежната порта во ова барање за плаќање, -The request for quotation can be accessed by clicking on the following link,Барањето за прибирање на понуди може да се пристапи со кликнување на следниов линк, The selected BOMs are not for the same item,Избраните BOMs не се за истата ставка, The selected item cannot have Batch,На избраната ставка не може да има Batch, The seller and the buyer cannot be the same,Продавачот и купувачот не можат да бидат исти, @@ -3543,7 +3539,6 @@ Company GSTIN,компанијата GSTIN, Company field is required,Потребно е поле на компанијата, Creating Dimensions...,Создавање димензии ..., Duplicate entry against the item code {0} and manufacturer {1},Дупликат внес против кодот на објектот {0} и производител {1}, -Import Chart Of Accounts from CSV / Excel files,Увези ја табелата на сметки од датотеките CSV / Excel, 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, Invoice Grand Total,Фактура вкупно, Last carbon check date cannot be a future date,Последниот датум за проверка на јаглерод не може да биде иден датум, @@ -3920,7 +3915,6 @@ Plaid authentication error,Грешка во автентикацијата во Plaid public token error,Грешна грешка во карирани јавни знаци, Plaid transactions sync error,Грешка во синхронизацијата со карирани трансакции, Please check the error log for details about the import errors,Проверете го дневникот за грешки за детали за грешките при увозот, -Please click on the following link to set your new password,Ве молиме кликнете на следниот линк за да го поставите нова лозинка, Please create DATEV Settings for Company {}.,"Ве молиме, креирајте ги поставките DATEV за компанијата { .", Please create adjustment Journal Entry for amount {0} ,"Ве молиме, креирајте припис за весник за износ amount 0}", Please do not create more than 500 items at a time,"Ве молиме, не создавајте повеќе од 500 артикли истовремено", @@ -4043,7 +4037,6 @@ Search results for,Резултати од пребарувањето за, Select All,Избери ги сите, Select Difference Account,Изберете сметка за разлика, Select a Default Priority.,Изберете Стандарден приоритет., -Select a Supplier from the Default Supplier List of the items below.,Изберете снабдувач од списокот со стандардна понудувач на артиклите подолу., Select a company,Изберете компанија, Select finance book for the item {0} at row {1},Изберете книга за финансии за производот {0} по ред {1, Select only one Priority as Default.,Изберете само еден Приоритет како Стандарден., @@ -4247,7 +4240,6 @@ Yes,Да, Actual ,Крај, Add to cart,Додади во кошничка, Budget,Буџет, -Chart Of Accounts Importer,Табела на сметки увозник, Chart of Accounts,Сметка на сметки, Customer database.,База на податоци за клиентите., Days Since Last order,Дена од денот на нарачка, @@ -4939,7 +4931,6 @@ Closing Account Head,Завршната сметка на главата, POS Customer Group,POS клиентите група, POS Field,Пос поле, POS Item Group,ПОС Точка група, -[Select],[Избери], Company Address,адреса на компанијата, Update Stock,Ажурирање берза, Ignore Pricing Rule,Игнорирај Цените Правило, @@ -6597,11 +6588,6 @@ Relieving Date,Ослободување Датум, Reason for Leaving,Причина за напуштање, Leave Encashed?,Остави Encashed?, Encashment Date,Датум на инкасо, -Exit Interview Details,Излез Интервју Детали за, -Held On,Одржана на, -Reason for Resignation,Причина за оставка, -Better Prospects,Подобри можности, -Health Concerns,Здравствени проблеми, New Workplace,Нов работен простор, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Врати износ, @@ -8237,9 +8223,6 @@ Landed Cost Help,Слета Цена Помош, Manufacturers used in Items,Производителите користат во Предмети, Limited to 12 characters,Ограничен на 12 карактери, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Поставете складиште, -Sets 'For Warehouse' in each row of the Items table.,Поставува „За магацин“ во секој ред од табелата со Артикли., -Requested For,Се бара за, Partially Ordered,Делумно нарачано, Transferred,пренесени, % Ordered,Нареди%, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Магацин за барање материјали Select warehouse for material requests,Изберете магацин за материјални барања, Transfer Materials For Warehouse {0},Трансфер материјали за магацин {0}, Production Plan Material Request Warehouse,План за производство Магацин за барање материјали, -Set From Warehouse,Поставен од магацин, -Source Warehouse (Material Transfer),Извор магацин (трансфер на материјал), Sets 'Source Warehouse' in each row of the items table.,Поставува „Магацински извор“ во секој ред од табелата со ставки., Sets 'Target Warehouse' in each row of the items table.,Поставува „Целен склад“ во секој ред од табелата со ставки., Show Cancelled Entries,Покажете откажани записи, @@ -9155,7 +9136,6 @@ Professional Tax,Професионален данок, Is Income Tax Component,Дали е компонента за данок на доход, Component properties and references ,Својства на компонентите и препораки, Additional Salary ,Дополнителна плата, -Condtion and formula,Состојба и формула, Unmarked days,Необележани денови, Absent Days,Отсутни денови, Conditions and Formula variable and example,Услови и формула променлива и пример, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Неправилна грешка во барање Please check your Plaid client ID and secret values,"Ве молиме, проверете ги ID на клиентот на Plaid и тајните вредности", Bank transaction creation error,Грешка при создавање банкарска трансакција, Unit of Measurement,Единица за мерење, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Ред # {}: Стапката на продажба за ставка {} е пониска од нејзината {}. Стапката на продажба треба да биде најмала {}, Fiscal Year {0} Does Not Exist,Фискална година {0} Не постои, Row # {0}: Returned Item {1} does not exist in {2} {3},Ред # {0}: Вратената ставка {1} не постои во {2} {3}, Valuation type charges can not be marked as Inclusive,Наплатата од типот на проценка не може да се означи како инклузивна, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Постав Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Времето на одговор за {0} приоритет во редот {1} не може да биде поголемо од времето за резолуција., {0} is not enabled in {1},{0} не е овозможено во {1}, Group by Material Request,Групирај по материјално барање, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Ред {0}: За добавувачот {0}, потребна е адреса за е-пошта за испраќање е-пошта", Email Sent to Supplier {0},Е-пошта е испратена до добавувачот {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Пристапот до барање за понуда од порталот е оневозможен. За да дозволите пристап, овозможете го во Поставките за порталот.", Supplier Quotation {0} Created,Цитат на добавувач {0} Создаден, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Вкупната тежи Account {0} exists in parent company {1}.,Сметката {0} постои во матичната компанија {1}., "To overrule this, enable '{0}' in company {1}","За да го надминете ова, овозможете „{0}“ во компанијата {1}", Invalid condition expression,Неважечки израз на состојба, +Please Select a Company First,Прво изберете компанија, +Please Select Both Company and Party Type First,Прво изберете ги и типот на компанијата и партијата, +Provide the invoice portion in percent,Обезбедете дел од фактурата во проценти, +Give number of days according to prior selection,Дајте број на денови според претходниот избор, +Email Details,Детали за е-пошта, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Изберете честитка за приемникот. На пр. Г-ѓа, г-ѓа, итн.", +Preview Email,Преглед на е-пошта, +Please select a Supplier,Ве молиме изберете снабдувач, +Supplier Lead Time (days),Време на доставување добавувач (денови), +"Home, Work, etc.","Дом, работа и сл.", +Exit Interview Held On,Излез за интервју одржано, +Condition and formula,Состојба и формула, +Sets 'Target Warehouse' in each row of the Items table.,Поставува „Целен склад“ во секој ред од табелата со Артикли., +Sets 'Source Warehouse' in each row of the Items table.,Поставува „Магацински извор“ во секој ред од табелата со Артикли., +POS Register,ПОС регистар, +"Can not filter based on POS Profile, if grouped by POS Profile","Не може да се филтрира врз основа на ПОС-профилот, ако е групирано според ПОС-профилот", +"Can not filter based on Customer, if grouped by Customer","Не може да се филтрира врз основа на клиент, ако е групирано од клиент", +"Can not filter based on Cashier, if grouped by Cashier","Не може да се филтрира врз основа на благајник, ако е групирано по благајник", +Payment Method,Метод за плаќање, +"Can not filter based on Payment Method, if grouped by Payment Method","Не може да се филтрира врз основа на Начинот на плаќање, ако е групирано според Начинот на плаќање", +Supplier Quotation Comparison,Споредба на понуди за добавувачи, +Price per Unit (Stock UOM),Цена по единица (берза УОМ), +Group by Supplier,Групација по снабдувач, +Group by Item,Група по точка, +Remember to set {field_label}. It is required by {regulation}.,Запомнете да ја поставите {field_label}. Тоа го бара {регулативата}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Датумот на запишување не може да биде пред датумот на почеток на академската година {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Датумот на запишување не може да биде по датумот на завршување на академскиот термин {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Датумот на запишување не може да биде пред Датумот на започнување на академскиот термин {0}, +Posting future transactions are not allowed due to Immutable Ledger,Објавувањето на идните трансакции не е дозволено поради непроменливиот Леџер, +Future Posting Not Allowed,Идниното објавување не е дозволено, +"To enable Capital Work in Progress Accounting, ","За да овозможите капитално работење во тек сметководство,", +you must select Capital Work in Progress Account in accounts table,мора да изберете сметка за капитална работа во тек во табелата за сметки, +You can also set default CWIP account in Company {},Може да поставите и стандардна сметка за CWIP во компанијата {}, +The Request for Quotation can be accessed by clicking on the following button,До Барањето за понуда може да се пристапи со кликнување на следното копче, +Regards,Со почит, +Please click on the following button to set your new password,Кликнете на следното копче за да ја поставите вашата нова лозинка, +Update Password,Ажурирајте ја лозинката, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Ред # {}: Стапката на продажба за ставка {} е пониска од нејзината {}. Продажбата {} треба да биде најмалку {}, +You can alternatively disable selling price validation in {} to bypass this validation.,Можете алтернативно да ја оневозможите потврдата на продажната цена во {} за да ја заобиколите оваа валидација., +Invalid Selling Price,Невалидна цена за продажба, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,"Адресата треба да биде поврзана со компанија. Ве молиме, додадете табела за компанијата во табелата Линкови.", +Company Not Linked,Компанијата не е поврзана, +Import Chart of Accounts from CSV / Excel files,Увоз на табела на сметки од датотеки CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',Комплетираниот количина не може да биде поголем од „Количина за производство“, +"Row {0}: For Supplier {1}, Email Address is Required to send an email","Ред {0}: За добавувачот {1}, Потребна е адреса за е-пошта за испраќање е-пошта", diff --git a/erpnext/translations/ml.csv b/erpnext/translations/ml.csv index dcc6fd4e67..9b8b4876f0 100644 --- a/erpnext/translations/ml.csv +++ b/erpnext/translations/ml.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,'യഥ Chargeble,ചാർജബിൾ, Charges are updated in Purchase Receipt against each item,വിചാരണ ഓരോ ഇനത്തിനും നേരെ പർച്ചേസ് രസീതിലെ അപ്ഡേറ്റ്, "Charges will be distributed proportionately based on item qty or amount, as per your selection","നിരക്കുകൾ നിങ്ങളുടെ നിരക്കു പ്രകാരം, ഐറ്റം qty അല്ലെങ്കിൽ തുക അടിസ്ഥാനമാക്കി ആനുപാതികമായി വിതരണം ചെയ്യും", -Chart Of Accounts,അക്കൗണ്ട്സ് ചാർട്ട്, Chart of Cost Centers,ചെലവ് സെന്റേഴ്സ് ചാർട്ട്, Check all,എല്ലാം പരിശോധിക്കുക, Checkout,ചെക്ക് ഔട്ട്, @@ -581,7 +580,6 @@ Company {0} does not exist,കമ്പനി {0} നിലവിലില്ല Compensatory Off,ഓഫാക്കുക നഷ്ടപരിഹാര, Compensatory leave request days not in valid holidays,നഷ്ടമായ അവധിദിനങ്ങളിൽ നഷ്ടപ്പെടാത്ത നഷ്ടപരിഹാര അഭ്യർത്ഥന ദിവസം, Complaint,പരാതി, -Completed Qty can not be greater than 'Qty to Manufacture',പൂർത്തിയാക്കി Qty 'Qty നിർമ്മിക്കാനുള്ള' വലുതായിരിക്കും കഴിയില്ല, Completion Date,പൂർത്തീകരണ തീയതി, Computer,കമ്പ്യൂട്ടർ, Condition,കണ്ടീഷൻ, @@ -2033,7 +2031,6 @@ Please select Category first,ആദ്യം വർഗ്ഗം തിരഞ് Please select Charge Type first,ചാർജ് ടൈപ്പ് ആദ്യ തിരഞ്ഞെടുക്കുക, Please select Company,കമ്പനി തിരഞ്ഞെടുക്കുക, Please select Company and Designation,ദയവായി കമ്പനിയും ഡയറക്ടറിയും തിരഞ്ഞെടുക്കുക, -Please select Company and Party Type first,"ആദ്യം കമ്പനി, പാർട്ടി ടൈപ്പ് തിരഞ്ഞെടുക്കുക", Please select Company and Posting Date to getting entries,"എൻട്രികൾ ലഭിക്കുന്നതിന് കമ്പനി, പോസ്റ്റിംഗ് തീയതി എന്നിവ തിരഞ്ഞെടുക്കുക", Please select Company first,കമ്പനി ആദ്യം തിരഞ്ഞെടുക്കുക, Please select Completion Date for Completed Asset Maintenance Log,ദയവായി പൂർത്തിയാക്കിയ അസറ്റ് മെയിന്റനൻസ് ലോഗ് പൂർത്തിയാക്കാൻ ദയവായി പൂർത്തിയാക്കിയ തീയതി തിരഞ്ഞെടുക്കുക, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,ഈ സി The name of your company for which you are setting up this system.,നിങ്ങൾ ഈ സിസ്റ്റം ക്രമീകരിക്കുന്നതിനായി ചെയ്തിട്ടുളള നിങ്ങളുടെ കമ്പനിയുടെ പേര്., The number of shares and the share numbers are inconsistent,ഷെയറുകളുടെയും പങ്കിടൽ നമ്പറുകളുടെയും എണ്ണം അസ്ഥിരമാണ്, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Plan 0 plan പ്ലാനിലെ പേയ്‌മെന്റ് ഗേറ്റ്‌വേ അക്കൗണ്ട് ഈ പേയ്‌മെന്റ് അഭ്യർത്ഥനയിലെ പേയ്‌മെന്റ് ഗേറ്റ്‌വേ അക്കൗണ്ടിൽ നിന്ന് വ്യത്യസ്തമാണ്, -The request for quotation can be accessed by clicking on the following link,ഉദ്ധരണി അഭ്യർത്ഥന ഇനിപ്പറയുന്ന ലിങ്കിൽ ക്ലിക്കുചെയ്ത് ആക്സസ് ചെയ്യാം, The selected BOMs are not for the same item,തിരഞ്ഞെടുത്ത BOMs ഒരേ ഇനം മാത്രമുള്ളതല്ല, The selected item cannot have Batch,തിരഞ്ഞെടുത്ത ഐറ്റം ബാച്ച് പാടില്ല, The seller and the buyer cannot be the same,വിൽക്കുന്നവനും വാങ്ങുന്നവനും ഒന്നു തന്നെ ആകരുത്, @@ -3543,7 +3539,6 @@ Company GSTIN,കമ്പനി ഗ്സ്തിന്, Company field is required,കമ്പനി ഫീൽഡ് ആവശ്യമാണ്, Creating Dimensions...,അളവുകൾ സൃഷ്ടിക്കുന്നു ..., Duplicate entry against the item code {0} and manufacturer {1},"Code 0 item, നിർമ്മാതാവ് {1 against എന്നിവയ്‌ക്കെതിരായ തനിപ്പകർപ്പ് എൻട്രി", -Import Chart Of Accounts from CSV / Excel files,CSV / Excel ഫയലുകളിൽ നിന്ന് അക്ക of ണ്ടുകളുടെ ചാർട്ട് ഇറക്കുമതി ചെയ്യുക, Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN അസാധുവാണ്! നിങ്ങൾ നൽകിയ ഇൻപുട്ട് യുഐഎൻ ഹോൾഡർമാർക്കോ നോൺ-റസിഡന്റ് ഒയിഡാർ സേവന ദാതാക്കൾക്കോ ഉള്ള ജിഎസ്ടിഎൻ ഫോർമാറ്റുമായി പൊരുത്തപ്പെടുന്നില്ല, Invoice Grand Total,ഇൻവോയ്സ് ഗ്രാൻഡ് ടോട്ടൽ, Last carbon check date cannot be a future date,അവസാന കാർബൺ പരിശോധന തീയതി ഭാവി തീയതിയായിരിക്കരുത്, @@ -3920,7 +3915,6 @@ Plaid authentication error,പ്ലെയിഡ് പ്രാമാണീക Plaid public token error,പൊതു ടോക്കൺ പിശക്, Plaid transactions sync error,പ്ലെയ്ഡ് ഇടപാടുകൾ സമന്വയ പിശക്, Please check the error log for details about the import errors,ഇറക്കുമതി പിശകുകളെക്കുറിച്ചുള്ള വിശദാംശങ്ങൾക്കായി ദയവായി പിശക് ലോഗ് പരിശോധിക്കുക, -Please click on the following link to set your new password,നിങ്ങളുടെ പുതിയ പാസ്വേഡ് സജ്ജീകരിക്കാൻ താഴെ നൽകിയിരിക്കുന്ന ലിങ്കിൽ ക്ലിക്ക് ദയവായി, Please create DATEV Settings for Company {}.,കമ്പനിക്കായി DATEV ക്രമീകരണങ്ങൾ സൃഷ്ടിക്കുക {} ., Please create adjustment Journal Entry for amount {0} ,തുക for 0 for ന് ക്രമീകരണം ജേണൽ എൻ‌ട്രി സൃഷ്‌ടിക്കുക, Please do not create more than 500 items at a time,ഒരു സമയം 500 ൽ കൂടുതൽ ഇനങ്ങൾ സൃഷ്ടിക്കരുത്, @@ -4043,7 +4037,6 @@ Search results for,ഇതിനുള്ള തിരയൽ ഫലങ്ങൾ, Select All,എല്ലാം തിരഞ്ഞെടുക്കുക, Select Difference Account,വ്യത്യാസ അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക, Select a Default Priority.,ഒരു സ്ഥിര മുൻ‌ഗണന തിരഞ്ഞെടുക്കുക., -Select a Supplier from the Default Supplier List of the items below.,ചുവടെയുള്ള ഇനങ്ങളുടെ സ്ഥിരസ്ഥിതി വിതരണക്കാരന്റെ പട്ടികയിൽ നിന്ന് ഒരു വിതരണക്കാരനെ തിരഞ്ഞെടുക്കുക., Select a company,ഒരു കമ്പനി തിരഞ്ഞെടുക്കുക, Select finance book for the item {0} at row {1},{1 row വരിയിലെ {0 item ഇനത്തിനായി ധനകാര്യ പുസ്തകം തിരഞ്ഞെടുക്കുക, Select only one Priority as Default.,സ്ഥിരസ്ഥിതിയായി ഒരു മുൻ‌ഗണന മാത്രം തിരഞ്ഞെടുക്കുക., @@ -4247,7 +4240,6 @@ Yes,അതെ, Actual ,യഥാർത്ഥം, Add to cart,കാർട്ടിലേക്ക് ചേർക്കുക, Budget,ബജറ്റ്, -Chart Of Accounts Importer,അക്കൗണ്ട് ഇറക്കുമതിക്കാരന്റെ ചാർട്ട്, Chart of Accounts,വരവ് ചെലവു കണക്കു പുസ്തകം, Customer database.,ഉപഭോക്തൃ ഡാറ്റാബേസ്., Days Since Last order,കഴിഞ്ഞ ഓർഡർ നു ശേഷം ദിനങ്ങൾ, @@ -4939,7 +4931,6 @@ Closing Account Head,അടയ്ക്കുന്ന അക്കൗണ്ട POS Customer Group,POS കസ്റ്റമർ ഗ്രൂപ്പ്, POS Field,POS ഫീൽഡ്, POS Item Group,POS ഇനം ഗ്രൂപ്പ്, -[Select],[തിരഞ്ഞെടുക്കുക], Company Address,കമ്പനി വിലാസം, Update Stock,സ്റ്റോക്ക് അപ്ഡേറ്റ്, Ignore Pricing Rule,പ്രൈസിങ് റൂൾ അവഗണിക്കുക, @@ -6597,11 +6588,6 @@ Relieving Date,തീയതി വിടുതൽ, Reason for Leaving,പോകാനുള്ള കാരണം, Leave Encashed?,കാശാക്കാം വിടണോ?, Encashment Date,ലീവ് തീയതി, -Exit Interview Details,നിന്ന് പുറത്തുകടക്കുക അഭിമുഖം വിശദാംശങ്ങൾ, -Held On,ന് നടക്കും, -Reason for Resignation,രാജി കാരണം, -Better Prospects,മെച്ചപ്പെട്ട സാദ്ധ്യതകളും, -Health Concerns,ആരോഗ്യ ആശങ്കകൾ, New Workplace,പുതിയ ജോലിസ്ഥലം, HR-EAD-.YYYY.-,HR-EAD-. YYYY.-, Returned Amount,നൽകിയ തുക, @@ -8237,9 +8223,6 @@ Landed Cost Help,ചെലവ് സഹായം റജിസ്റ്റർ, Manufacturers used in Items,ഇനങ്ങൾ ഉപയോഗിക്കുന്ന മാനുഫാക്ചറേഴ്സ്, Limited to 12 characters,12 പ്രതീകങ്ങളായി ലിമിറ്റഡ്, MAT-MR-.YYYY.-,MAT-MR- .YYYY.-, -Set Warehouse,വെയർഹ house സ് സജ്ജമാക്കുക, -Sets 'For Warehouse' in each row of the Items table.,ഇനങ്ങളുടെ പട്ടികയിലെ ഓരോ വരിയിലും 'വെയർഹ house സിനായി' സജ്ജമാക്കുന്നു., -Requested For,ഇൻവേർനോ, Partially Ordered,ഭാഗികമായി ഓർഡർ ചെയ്തു, Transferred,മാറ്റിയത്, % Ordered,% ക്രമപ്പെടുത്തിയ, @@ -8688,8 +8671,6 @@ Material Request Warehouse,മെറ്റീരിയൽ അഭ്യർത് Select warehouse for material requests,മെറ്റീരിയൽ അഭ്യർത്ഥനകൾക്കായി വെയർഹ house സ് തിരഞ്ഞെടുക്കുക, Transfer Materials For Warehouse {0},വെയർഹൗസിനായി മെറ്റീരിയലുകൾ കൈമാറുക {0}, Production Plan Material Request Warehouse,പ്രൊഡക്ഷൻ പ്ലാൻ മെറ്റീരിയൽ അഭ്യർത്ഥന വെയർഹ house സ്, -Set From Warehouse,വെയർഹൗസിൽ നിന്ന് സജ്ജമാക്കുക, -Source Warehouse (Material Transfer),ഉറവിട വെയർഹ house സ് (മെറ്റീരിയൽ കൈമാറ്റം), Sets 'Source Warehouse' in each row of the items table.,ഇനങ്ങളുടെ പട്ടികയിലെ ഓരോ വരിയിലും 'ഉറവിട വെയർഹ house സ്' സജ്ജമാക്കുന്നു., Sets 'Target Warehouse' in each row of the items table.,ഇനങ്ങളുടെ പട്ടികയിലെ ഓരോ വരിയിലും 'ടാർ‌ഗെറ്റ് വെയർ‌ഹ house സ്' സജ്ജമാക്കുന്നു., Show Cancelled Entries,റദ്ദാക്കിയ എൻ‌ട്രികൾ കാണിക്കുക, @@ -9155,7 +9136,6 @@ Professional Tax,പ്രൊഫഷണൽ ടാക്സ്, Is Income Tax Component,ആദായനികുതി ഘടകമാണ്, Component properties and references ,ഘടക ഗുണങ്ങളും റഫറൻസുകളും, Additional Salary ,അധിക ശമ്പളം, -Condtion and formula,അവസ്ഥയും സൂത്രവാക്യവും, Unmarked days,അടയാളപ്പെടുത്താത്ത ദിവസങ്ങൾ, Absent Days,ഇല്ലാത്ത ദിവസങ്ങൾ, Conditions and Formula variable and example,നിബന്ധനകളും ഫോർമുല വേരിയബിളും ഉദാഹരണവും, @@ -9442,7 +9422,6 @@ Plaid invalid request error,അസാധുവായ അഭ്യർത്ഥന Please check your Plaid client ID and secret values,നിങ്ങളുടെ പ്ലെയ്ഡ് ക്ലയന്റ് ഐഡിയും രഹസ്യ മൂല്യങ്ങളും പരിശോധിക്കുക, Bank transaction creation error,ബാങ്ക് ഇടപാട് സൃഷ്ടിക്കൽ പിശക്, Unit of Measurement,അളവെടുക്കൽ യൂണിറ്റ്, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},വരി # {}: item item ഇനത്തിന്റെ വിൽപ്പന നിരക്ക് അതിന്റെ than than നേക്കാൾ കുറവാണ്. വിൽപ്പന നിരക്ക് കുറഞ്ഞത് {} ആയിരിക്കണം, Fiscal Year {0} Does Not Exist,സാമ്പത്തിക വർഷം {0 Ex നിലവിലില്ല, Row # {0}: Returned Item {1} does not exist in {2} {3},വരി # {0}: നൽകിയ ഇനം {1} {2} {3 in ൽ നിലവിലില്ല, Valuation type charges can not be marked as Inclusive,മൂല്യനിർണ്ണയ തരം നിരക്കുകൾ ഉൾപ്പെടുത്തൽ എന്ന് അടയാളപ്പെടുത്താൻ കഴിയില്ല, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,{1 row വര Response Time for {0} priority in row {1} can't be greater than Resolution Time.,{1 row വരിയിലെ {0} മുൻ‌ഗണനയ്ക്കുള്ള പ്രതികരണ സമയം മിഴിവ് സമയത്തേക്കാൾ വലുതായിരിക്കരുത്., {0} is not enabled in {1},{1 in ൽ {0} പ്രവർത്തനക്ഷമമാക്കിയിട്ടില്ല, Group by Material Request,മെറ്റീരിയൽ അഭ്യർത്ഥന പ്രകാരം ഗ്രൂപ്പ്, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","വരി {0}: വിതരണക്കാരന് {0}, ഇമെയിൽ അയയ്ക്കാൻ ഇമെയിൽ വിലാസം ആവശ്യമാണ്", Email Sent to Supplier {0},ഇമെയിൽ വിതരണക്കാരന് അയച്ചു {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","പോർട്ടലിൽ നിന്നുള്ള ഉദ്ധരണിക്കുള്ള അഭ്യർത്ഥനയിലേക്കുള്ള ആക്‌സസ്സ് പ്രവർത്തനരഹിതമാക്കി. ആക്സസ് അനുവദിക്കുന്നതിന്, പോർട്ടൽ ക്രമീകരണങ്ങളിൽ ഇത് പ്രാപ്തമാക്കുക.", Supplier Quotation {0} Created,വിതരണ ഉദ്ധരണി {0} സൃഷ്ടിച്ചു, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},നിയുക്തമ Account {0} exists in parent company {1}.,പാരന്റ് കമ്പനി {1 in ൽ അക്കൗണ്ട് {0} നിലവിലുണ്ട്., "To overrule this, enable '{0}' in company {1}","ഇത് അസാധുവാക്കാൻ, company {company കമ്പനിയിൽ '{0}' പ്രവർത്തനക്ഷമമാക്കുക", Invalid condition expression,കണ്ടീഷൻ എക്‌സ്‌പ്രഷൻ അസാധുവാണ്, +Please Select a Company First,ആദ്യം ഒരു കമ്പനി തിരഞ്ഞെടുക്കുക, +Please Select Both Company and Party Type First,"ആദ്യം കമ്പനി, പാർട്ടി തരം എന്നിവ തിരഞ്ഞെടുക്കുക", +Provide the invoice portion in percent,ഇൻവോയ്സ് ഭാഗം ശതമാനത്തിൽ നൽകുക, +Give number of days according to prior selection,മുൻ തിരഞ്ഞെടുപ്പ് അനുസരിച്ച് ദിവസങ്ങളുടെ എണ്ണം നൽകുക, +Email Details,ഇമെയിൽ വിശദാംശങ്ങൾ, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","സ്വീകർത്താവിന് ഒരു അഭിവാദ്യം തിരഞ്ഞെടുക്കുക. ഉദാ. മിസ്റ്റർ, മിസ്, മുതലായവ.", +Preview Email,ഇമെയിൽ പ്രിവ്യൂ ചെയ്യുക, +Please select a Supplier,ഒരു വിതരണക്കാരനെ തിരഞ്ഞെടുക്കുക, +Supplier Lead Time (days),വിതരണക്കാരന്റെ ലീഡ് സമയം (ദിവസം), +"Home, Work, etc.","വീട്, ജോലി തുടങ്ങിയവ.", +Exit Interview Held On,പുറത്തുകടന്ന അഭിമുഖം ഓണാണ്, +Condition and formula,അവസ്ഥയും സൂത്രവാക്യവും, +Sets 'Target Warehouse' in each row of the Items table.,ഇനങ്ങളുടെ പട്ടികയിലെ ഓരോ വരിയിലും 'ടാർ‌ഗെറ്റ് വെയർ‌ഹ house സ്' സജ്ജമാക്കുന്നു., +Sets 'Source Warehouse' in each row of the Items table.,ഇനങ്ങളുടെ പട്ടികയിലെ ഓരോ വരിയിലും 'ഉറവിട വെയർഹ house സ്' സജ്ജമാക്കുന്നു., +POS Register,POS രജിസ്റ്റർ, +"Can not filter based on POS Profile, if grouped by POS Profile",POS പ്രൊഫൈൽ അനുസരിച്ച് ഗ്രൂപ്പുചെയ്യുകയാണെങ്കിൽ POS പ്രൊഫൈലിനെ അടിസ്ഥാനമാക്കി ഫിൽട്ടർ ചെയ്യാൻ കഴിയില്ല, +"Can not filter based on Customer, if grouped by Customer",കസ്റ്റമർ ഗ്രൂപ്പുചെയ്‌താൽ ഉപഭോക്താവിനെ അടിസ്ഥാനമാക്കി ഫിൽട്ടർ ചെയ്യാൻ കഴിയില്ല, +"Can not filter based on Cashier, if grouped by Cashier",കാഷ്യർ ഗ്രൂപ്പുചെയ്‌തിട്ടുണ്ടെങ്കിൽ കാഷ്യറിനെ അടിസ്ഥാനമാക്കി ഫിൽട്ടർ ചെയ്യാൻ കഴിയില്ല, +Payment Method,പണംകൊടുക്കൽരീതി, +"Can not filter based on Payment Method, if grouped by Payment Method",പേയ്‌മെന്റ് രീതി അനുസരിച്ച് ഗ്രൂപ്പുചെയ്‌താൽ പേയ്‌മെന്റ് രീതിയെ അടിസ്ഥാനമാക്കി ഫിൽട്ടർ ചെയ്യാൻ കഴിയില്ല, +Supplier Quotation Comparison,വിതരണ ഉദ്ധരണി താരതമ്യം, +Price per Unit (Stock UOM),യൂണിറ്റിന് വില (സ്റ്റോക്ക് യു‌എം), +Group by Supplier,വിതരണക്കാരന്റെ ഗ്രൂപ്പ്, +Group by Item,ഇനം അനുസരിച്ച് ഗ്രൂപ്പ്, +Remember to set {field_label}. It is required by {regulation}.,{Field_label set സജ്ജമാക്കാൻ ഓർമ്മിക്കുക. ഇത് {നിയന്ത്രണം by ആവശ്യമാണ്., +Enrollment Date cannot be before the Start Date of the Academic Year {0},എൻറോൾമെന്റ് തീയതി അക്കാദമിക് വർഷത്തിന്റെ ആരംഭ തീയതിക്ക് മുമ്പായിരിക്കരുത് {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},എൻ‌റോൾ‌മെന്റ് തീയതി {0 the അക്കാദമിക് ടേമിന്റെ അവസാന തീയതിക്ക് ശേഷം ആയിരിക്കരുത്, +Enrollment Date cannot be before the Start Date of the Academic Term {0},എൻറോൾമെന്റ് തീയതി അക്കാദമിക് കാലാവധിയുടെ ആരംഭ തീയതിക്ക് മുമ്പായിരിക്കരുത് {0}, +Posting future transactions are not allowed due to Immutable Ledger,മാറ്റമില്ലാത്ത ലെഡ്ജർ കാരണം ഭാവിയിലെ ഇടപാടുകൾ പോസ്റ്റുചെയ്യുന്നത് അനുവദനീയമല്ല, +Future Posting Not Allowed,ഭാവിയിലെ പോസ്റ്റിംഗ് അനുവദനീയമല്ല, +"To enable Capital Work in Progress Accounting, ","പ്രോഗ്രസ് അക്കൗണ്ടിംഗിൽ ക്യാപിറ്റൽ വർക്ക് പ്രാപ്തമാക്കുന്നതിന്,", +you must select Capital Work in Progress Account in accounts table,അക്കൗണ്ട് പട്ടികയിലെ പ്രോഗ്രസ് അക്ക In ണ്ടിലെ ക്യാപിറ്റൽ വർക്ക് തിരഞ്ഞെടുക്കണം, +You can also set default CWIP account in Company {},കമ്പനി} in ൽ നിങ്ങൾക്ക് സ്ഥിരസ്ഥിതി CWIP അക്ക set ണ്ട് സജ്ജമാക്കാനും കഴിയും, +The Request for Quotation can be accessed by clicking on the following button,ഇനിപ്പറയുന്ന ബട്ടണിൽ ക്ലിക്കുചെയ്ത് ഉദ്ധരണിക്കായുള്ള അഭ്യർത്ഥന ആക്സസ് ചെയ്യാൻ കഴിയും, +Regards,ആദരവോടെ, +Please click on the following button to set your new password,നിങ്ങളുടെ പുതിയ പാസ്‌വേഡ് സജ്ജീകരിക്കുന്നതിന് ഇനിപ്പറയുന്ന ബട്ടണിൽ ക്ലിക്കുചെയ്യുക, +Update Password,പാസ്‌വേഡ് അപ്‌ഡേറ്റുചെയ്യുക, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},വരി # {}: item item ഇനത്തിന്റെ വിൽപ്പന നിരക്ക് അതിന്റെ than than നേക്കാൾ കുറവാണ്. {} വിൽക്കുന്നത് കുറഞ്ഞത് ആയിരിക്കണം}}, +You can alternatively disable selling price validation in {} to bypass this validation.,ഈ മൂല്യനിർണ്ണയം മറികടക്കാൻ നിങ്ങൾക്ക് {in എന്ന വിലയിൽ വിൽപ്പന വിലനിർണ്ണയം അപ്രാപ്‌തമാക്കാൻ കഴിയും., +Invalid Selling Price,വിൽപ്പന വില അസാധുവാണ്, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,വിലാസം ഒരു കമ്പനിയുമായി ലിങ്കുചെയ്യേണ്ടതുണ്ട്. ലിങ്കുകൾ പട്ടികയിൽ കമ്പനിക്കായി ഒരു വരി ചേർക്കുക., +Company Not Linked,കമ്പനി ലിങ്കുചെയ്തിട്ടില്ല, +Import Chart of Accounts from CSV / Excel files,CSV / Excel ഫയലുകളിൽ നിന്ന് അക്ക of ണ്ടുകളുടെ ചാർട്ട് ഇറക്കുമതി ചെയ്യുക, +Completed Qty cannot be greater than 'Qty to Manufacture',പൂർ‌ത്തിയാക്കിയ ക്യൂട്ടി 'ക്യൂട്ടി ടു മാനുഫാക്ചറി'നേക്കാൾ‌ കൂടുതലാകരുത്, +"Row {0}: For Supplier {1}, Email Address is Required to send an email","വരി {0}: വിതരണക്കാരന് {1}, ഒരു ഇമെയിൽ അയയ്ക്കാൻ ഇമെയിൽ വിലാസം ആവശ്യമാണ്", diff --git a/erpnext/translations/mr.csv b/erpnext/translations/mr.csv index 29f597ec20..ab688c714d 100644 --- a/erpnext/translations/mr.csv +++ b/erpnext/translations/mr.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रक Chargeble,चार्ज करण्यायोग्य, Charges are updated in Purchase Receipt against each item,शुल्क प्रत्येक आयटम विरुद्ध खरेदी पावती मध्ये अद्यतनित केले जातात, "Charges will be distributed proportionately based on item qty or amount, as per your selection",शुल्क प्रमाणातील आपल्या निवडीनुसार आयटम प्रमाण किंवा रक्कम आधारित वाटप केले जाणार आहे, -Chart Of Accounts,लेखा चार्ट, Chart of Cost Centers,कॉस्ट केंद्रे चार्ट, Check all,सर्व चेक करा, Checkout,चेकआऊट, @@ -581,7 +580,6 @@ Company {0} does not exist,कंपनी {0} अस्तित्वात Compensatory Off,भरपाई देणारा बंद, Compensatory leave request days not in valid holidays,वैध सुट्ट्या नसलेल्या सूट देण्याच्या रजेची विनंती दिवस, Complaint,तक्रार, -Completed Qty can not be greater than 'Qty to Manufacture',पूर्ण Qty 'Qty निर्मिती करण्या ' पेक्षा जास्त असू शकत नाही, Completion Date,पूर्ण तारीख, Computer,संगणक, Condition,अट, @@ -2033,7 +2031,6 @@ Please select Category first,कृपया पहिले वर्ग न Please select Charge Type first,कृपया पहिले शुल्क प्रकार निवडा, Please select Company,कृपया कंपनी निवडा, Please select Company and Designation,कृपया कंपनी आणि पदनाम निवडा, -Please select Company and Party Type first,कृपया पहिले कंपनी आणि पक्षाचे प्रकार निवडा, Please select Company and Posting Date to getting entries,कृपया नोंदणीसाठी कंपनी आणि पोस्टिंग तारीख निवडा, Please select Company first,कृपया पहिले कंपनी निवडा, Please select Completion Date for Completed Asset Maintenance Log,पूर्ण संपत्तीची पूर्तता कराराची पूर्ण तारीख निवडा, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,संस् The name of your company for which you are setting up this system.,"आपल्या कंपनीचे नाव, जे आपण या प्रणालीत सेट केले आहे.", The number of shares and the share numbers are inconsistent,शेअर्सची संख्या आणि शेअरची संख्या विसंगत आहेत, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,योजना {0} मधील देयक गेटवे खाते या देयक विनंतीमध्ये देयक गेटवे खात्यापेक्षा वेगळे आहे, -The request for quotation can be accessed by clicking on the following link,अवतरण विनंती खालील लिंक वर क्लिक करून प्रवेश करणे शक्य, The selected BOMs are not for the same item,निवडलेले BOMs सारख्या आयटमसाठी नाहीत, The selected item cannot have Batch,निवडलेले आयटमला बॅच असू शकत नाही, The seller and the buyer cannot be the same,विक्रेता आणि खरेदीदार समान असू शकत नाही, @@ -3543,7 +3539,6 @@ Company GSTIN,कंपनी GSTIN, Company field is required,कंपनी फील्ड आवश्यक आहे, Creating Dimensions...,परिमाण तयार करीत आहे ..., Duplicate entry against the item code {0} and manufacturer {1},आयटम कोड {0} आणि निर्मात्याच्या विरूद्ध डुप्लीकेट एंट्री {1}, -Import Chart Of Accounts from CSV / Excel files,सीएसव्ही / एक्सेल फायलींवरून खात्यांचा चार्ट आयात करा, Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,अवैध जीएसटीआयएन! आपण प्रविष्ट केलेले इनपुट यूआयएन धारक किंवा अनिवासी ओआयडीएआर सेवा प्रदात्यांसाठी जीएसटीआयएन स्वरूपनाशी जुळत नाही, Invoice Grand Total,बीजक एकूण, Last carbon check date cannot be a future date,शेवटची कार्बन चेक तारीख भविष्यातील तारीख असू शकत नाही, @@ -3920,7 +3915,6 @@ Plaid authentication error,प्लेड प्रमाणीकरण त् Plaid public token error,प्लेड सार्वजनिक टोकन त्रुटी, Plaid transactions sync error,प्लेड व्यवहार समक्रमण त्रुटी, Please check the error log for details about the import errors,कृपया आयात त्रुटींबद्दल तपशीलांसाठी त्रुटी लॉग तपासा, -Please click on the following link to set your new password,तुमचा नवीन पासवर्ड सेट करण्यासाठी खालील दुव्यावर क्लिक करा, Please create DATEV Settings for Company {}.,} कंपनी DATEV सेटिंग्ज {तयार करा., Please create adjustment Journal Entry for amount {0} ,कृपया रक्कम for 0 amount साठी समायोजन जर्नल एन्ट्री तयार करा, Please do not create more than 500 items at a time,कृपया एकावेळी 500 हून अधिक वस्तू तयार करु नका, @@ -4043,7 +4037,6 @@ Search results for,च्या शोधाचे निकाल, Select All,सर्व निवडा, Select Difference Account,फरक खाते निवडा, Select a Default Priority.,डीफॉल्ट अग्रक्रम निवडा., -Select a Supplier from the Default Supplier List of the items below.,खालील बाबींच्या डीफॉल्ट सप्लायर यादीमधून एक पुरवठादार निवडा., Select a company,कंपनी निवडा, Select finance book for the item {0} at row {1},पंक्ती {1} वर {0 the आयटमसाठी वित्त पुस्तक निवडा, Select only one Priority as Default.,डीफॉल्ट म्हणून केवळ एक अग्रक्रम निवडा., @@ -4247,7 +4240,6 @@ Yes,होय, Actual ,वास्तविक, Add to cart,सूचीत टाका, Budget,अर्थसंकल्प, -Chart Of Accounts Importer,लेखा आयातकर्ता चार्ट, Chart of Accounts,खात्याचे चार्ट, Customer database.,ग्राहक डेटाबेस, Days Since Last order,गेल्या ऑर्डर असल्याने दिवस, @@ -4939,7 +4931,6 @@ Closing Account Head,खाते प्रमुख बंद, POS Customer Group,POS ग्राहक गट, POS Field,पॉस फील्ड, POS Item Group,POS बाबींचा गट, -[Select],[निवडा], Company Address,कंपनीचा पत्ता, Update Stock,अद्यतन शेअर, Ignore Pricing Rule,किंमत नियम दुर्लक्ष करा, @@ -6597,11 +6588,6 @@ Relieving Date,Relieving तारीख, Reason for Leaving,सोडण्यासाठी कारण, Leave Encashed?,रजा मिळविता?, Encashment Date,एनकॅशमेंट तारीख, -Exit Interview Details,मुलाखत तपशीलाच्या बाहेर पडा, -Held On,आयोजित रोजी, -Reason for Resignation,राजीनाम्याचे कारण, -Better Prospects,उत्तम प्रॉस्पेक्ट, -Health Concerns,आरोग्य समस्यांसाठी, New Workplace,नवीन कामाची जागा, HR-EAD-.YYYY.-,एचआर-ईएडी- .YYY.-, Returned Amount,परत केलेली रक्कम, @@ -8237,9 +8223,6 @@ Landed Cost Help,स्थावर खर्च मदत, Manufacturers used in Items,आयटम मधे वापरलेले उत्पादक, Limited to 12 characters,12 वर्णांपर्यंत मर्यादित, MAT-MR-.YYYY.-,मॅट-एमआर-.YYY.-, -Set Warehouse,गोदाम सेट करा, -Sets 'For Warehouse' in each row of the Items table.,आयटम सारणीच्या प्रत्येक पंक्तीमध्ये 'वेअरहाऊससाठी' सेट करा., -Requested For,विनंती, Partially Ordered,अर्धवट आदेश दिले, Transferred,हस्तांतरित, % Ordered,% आदेश दिले, @@ -8688,8 +8671,6 @@ Material Request Warehouse,साहित्य विनंती वखार Select warehouse for material requests,भौतिक विनंत्यांसाठी गोदाम निवडा, Transfer Materials For Warehouse {0},वेअरहाउस {0 For साठी सामग्री हस्तांतरित करा, Production Plan Material Request Warehouse,उत्पादन योजना सामग्री विनंती वखार, -Set From Warehouse,गोदामातून सेट करा, -Source Warehouse (Material Transfer),स्त्रोत वखार (साहित्य हस्तांतरण), Sets 'Source Warehouse' in each row of the items table.,आयटम सारणीच्या प्रत्येक पंक्तीमध्ये 'सोर्स वेअरहाउस' सेट करा., Sets 'Target Warehouse' in each row of the items table.,आयटम सारणीच्या प्रत्येक पंक्तीमध्ये 'लक्ष्य वेअरहाउस' सेट करा., Show Cancelled Entries,रद्द नोंदी दर्शवा, @@ -9155,7 +9136,6 @@ Professional Tax,व्यावसायिक कर, Is Income Tax Component,आयकर घटक आहे, Component properties and references ,घटक गुणधर्म आणि संदर्भ, Additional Salary ,अतिरिक्त वेतन, -Condtion and formula,स्थिती आणि सूत्र, Unmarked days,चिन्हांकित केलेले दिवस, Absent Days,अनुपस्थित दिवस, Conditions and Formula variable and example,अटी आणि फॉर्म्युला व्हेरिएबल आणि उदाहरण, @@ -9442,7 +9422,6 @@ Plaid invalid request error,प्लेड अवैध विनंती त Please check your Plaid client ID and secret values,कृपया आपला प्लेड क्लायंट आयडी आणि गुप्त मूल्ये तपासा, Bank transaction creation error,बँक व्यवहार निर्मिती त्रुटी, Unit of Measurement,मोजण्याचे एकक, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},पंक्ती # {}: आयटम Se for साठी विक्री दर त्याच्या {than पेक्षा कमी आहे. विक्री दर कमीतकमी असावा} should, Fiscal Year {0} Does Not Exist,आथिर्क वर्ष {0} विद्यमान नाही, Row # {0}: Returned Item {1} does not exist in {2} {3},पंक्ती # {0}: परत केलेला आयटम {1 {{2} {3 in मध्ये विद्यमान नाही, Valuation type charges can not be marked as Inclusive,मूल्यमापन शुल्कास समावेशक म्हणून चिन्हांकित केले जाऊ शकत नाही, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,अग्र Response Time for {0} priority in row {1} can't be greater than Resolution Time.,पंक्ती} 1} मध्ये अग्रक्रम for 0 Resp साठी प्रतिसाद वेळ रिजोल्यूशन वेळेपेक्षा जास्त असू शकत नाही., {0} is not enabled in {1},{1} मध्ये {0 enabled सक्षम केलेले नाही, Group by Material Request,मटेरियल रिक्वेस्टनुसार ग्रुप, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","पंक्ती {0}: पुरवठादार {0} साठी, ईमेल पाठविण्यासाठी ईमेल पत्ता आवश्यक आहे", Email Sent to Supplier {0},पुरवठाकर्त्यास ईमेल पाठविला {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","पोर्टलवरील कोटेशन विनंतीसाठी प्रवेश अक्षम केला आहे. प्रवेशास अनुमती देण्यासाठी, पोर्टल सेटिंग्जमध्ये सक्षम करा.", Supplier Quotation {0} Created,पुरवठादार कोटेशन {0. तयार केले, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},नियुक्त क Account {0} exists in parent company {1}.,मूळ कंपनी in 1} मध्ये खाते {0} विद्यमान आहे., "To overrule this, enable '{0}' in company {1}",यावर आरोप करण्यासाठी कंपनी company 1} मध्ये '{0}' सक्षम करा, Invalid condition expression,अवैध स्थिती अभिव्यक्ती, +Please Select a Company First,कृपया प्रथम एखादी कंपनी निवडा, +Please Select Both Company and Party Type First,कृपया प्रथम कंपनी आणि पार्टी प्रकार दोन्ही निवडा, +Provide the invoice portion in percent,पावत्याचा भाग टक्केवारीत द्या, +Give number of days according to prior selection,पूर्वीच्या निवडीनुसार दिवसांची संख्या द्या, +Email Details,ईमेल तपशील, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","प्राप्तकर्त्यासाठी अभिवादन निवडा. उदा. श्री. कु., इ.", +Preview Email,पूर्वावलोकन ईमेल, +Please select a Supplier,कृपया एक पुरवठादार निवडा, +Supplier Lead Time (days),पुरवठादार लीड वेळ (दिवस), +"Home, Work, etc.","घर, कार्य इ.", +Exit Interview Held On,बाहेर पडा मुलाखत, +Condition and formula,अट आणि सूत्र, +Sets 'Target Warehouse' in each row of the Items table.,आयटम सारणीच्या प्रत्येक पंक्तीमध्ये 'लक्ष्य वेअरहाउस' सेट करा., +Sets 'Source Warehouse' in each row of the Items table.,आयटम सारणीच्या प्रत्येक पंक्तीमध्ये 'सोर्स वेअरहाउस' सेट करा., +POS Register,पॉस नोंदणी, +"Can not filter based on POS Profile, if grouped by POS Profile","पॉस प्रोफाइलद्वारे गटबद्ध केलेले असल्यास, पॉस प्रोफाइलवर आधारित फिल्टर करू शकत नाही", +"Can not filter based on Customer, if grouped by Customer","ग्राहकानुसार गटबद्ध केल्यास, ग्राहकाच्या आधारे फिल्टर करू शकत नाही", +"Can not filter based on Cashier, if grouped by Cashier",कॅशियरद्वारे ग्रुप केलेले असल्यास कॅशियरच्या आधारे फिल्‍टर करणे शक्य नाही, +Payment Method,देय द्यायची पद्धत, +"Can not filter based on Payment Method, if grouped by Payment Method","देयक पद्धतीनुसार गटबद्ध केल्यास, देयक पद्धतीवर आधारित फिल्टर करू शकत नाही", +Supplier Quotation Comparison,पुरवठादार कोटेशन तुलना, +Price per Unit (Stock UOM),प्रति युनिट किंमत (स्टॉक यूओएम), +Group by Supplier,पुरवठादार गट, +Group by Item,आयटमनुसार गट, +Remember to set {field_label}. It is required by {regulation}.,{फील्ड_ लेबल set सेट करणे लक्षात ठेवा. हे {नियमन by द्वारे आवश्यक आहे., +Enrollment Date cannot be before the Start Date of the Academic Year {0},नावनोंदणीची तारीख शैक्षणिक वर्षाच्या प्रारंभ तारखेच्या आधी असू शकत नाही {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},नावनोंदणीची तारीख शैक्षणिक मुदतीच्या अंतिम तारखेनंतर असू शकत नाही {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},नावनोंदणीची तारीख शैक्षणिक मुदतीच्या प्रारंभ तारखेच्या आधीची असू शकत नाही {0}, +Posting future transactions are not allowed due to Immutable Ledger,अपरिवर्तनीय लेजरमुळे भविष्यातील व्यवहार पोस्ट करण्यास परवानगी नाही, +Future Posting Not Allowed,भविष्यातील पोस्टिंगला परवानगी नाही, +"To enable Capital Work in Progress Accounting, ","प्रगती लेखामध्ये भांडवल कार्य सक्षम करण्यासाठी,", +you must select Capital Work in Progress Account in accounts table,आपण अकाउंट्स टेबलमध्ये कॅपिटल वर्क इन प्रोग्रेस अकाउंट निवडणे आवश्यक आहे, +You can also set default CWIP account in Company {},आपण कंपनी default default मध्ये डीफॉल्ट CWIP खाते देखील सेट करू शकता., +The Request for Quotation can be accessed by clicking on the following button,खाली दिलेल्या बटणावर क्लिक करून कोटेशन विनंतीसाठी प्रवेश केला जाऊ शकतो, +Regards,साभार, +Please click on the following button to set your new password,कृपया आपला नवीन संकेतशब्द सेट करण्यासाठी खालील बटणावर क्लिक करा, +Update Password,संकेतशब्द अद्यतनित करा, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},पंक्ती # {}: आयटम Se for साठी विक्री दर त्याच्या {than पेक्षा कमी आहे. {Lling विक्री कमीतकमी असावी {}, +You can alternatively disable selling price validation in {} to bypass this validation.,आपण हे वैधता बायपास करण्यासाठी वैकल्पिकरित्या विक्री मूल्य प्रमाणीकरण {in मध्ये अक्षम करू शकता., +Invalid Selling Price,अवैध विक्री किंमत, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,पत्त्याचा कंपनीशी दुवा साधणे आवश्यक आहे. कृपया दुवे सारणीमध्ये कंपनीसाठी एक पंक्ती जोडा., +Company Not Linked,कंपनी दुवा साधलेली नाही, +Import Chart of Accounts from CSV / Excel files,सीएसव्ही / एक्सेल फायलींवरून खात्यांचा चार्ट चार्ट आयात करा, +Completed Qty cannot be greater than 'Qty to Manufacture',पूर्ण केलेली क्वाटीटी 'क्वाटी टू मॅन्युफॅक्चरिंग' पेक्षा मोठी असू शकत नाही, +"Row {0}: For Supplier {1}, Email Address is Required to send an email","पंक्ती {0}: पुरवठादार {1} साठी, ईमेल पाठविण्यासाठी ईमेल पत्ता आवश्यक आहे", diff --git a/erpnext/translations/ms.csv b/erpnext/translations/ms.csv index 59359b47eb..fddea48c7d 100644 --- a/erpnext/translations/ms.csv +++ b/erpnext/translations/ms.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Penjaga jenis Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,Caj akan dikemas kini di Resit Pembelian terhadap setiap item, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Caj akan diagihkan mengikut kadar berdasarkan item qty atau amaunnya, seperti pilihan anda", -Chart Of Accounts,Carta Akaun, Chart of Cost Centers,Carta Pusat Kos, Check all,Memeriksa semua, Checkout,Checkout, @@ -581,7 +580,6 @@ Company {0} does not exist,Syarikat {0} tidak wujud, Compensatory Off,Pampasan Off, Compensatory leave request days not in valid holidays,Hari permintaan cuti pampasan tidak bercuti, Complaint,Aduan, -Completed Qty can not be greater than 'Qty to Manufacture',Siap Qty tidak boleh lebih besar daripada 'Kuantiti untuk Pengeluaran', Completion Date,Tarikh Siap, Computer,Komputer, Condition,Keadaan, @@ -2033,7 +2031,6 @@ Please select Category first,Sila pilih Kategori pertama, Please select Charge Type first,Sila pilih Jenis Caj pertama, Please select Company,Sila pilih Syarikat, Please select Company and Designation,Sila pilih Syarikat dan Jawatan, -Please select Company and Party Type first,Sila pilih Syarikat dan Parti Jenis pertama, Please select Company and Posting Date to getting entries,Sila pilih Syarikat dan Tarikh Penghantaran untuk mendapatkan entri, Please select Company first,Sila pilih Syarikat pertama, Please select Completion Date for Completed Asset Maintenance Log,Sila pilih Tarikh Siap untuk Log Penyelenggaraan Aset Selesai, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Nama institu The name of your company for which you are setting up this system.,Nama syarikat anda yang mana anda menubuhkan sistem ini., The number of shares and the share numbers are inconsistent,Bilangan saham dan bilangan saham tidak konsisten, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Akaun gerbang pembayaran dalam pelan {0} adalah berbeza daripada akaun gerbang pembayaran dalam permintaan pembayaran ini, -The request for quotation can be accessed by clicking on the following link,Permintaan untuk sebutharga boleh diakses dengan klik pada pautan berikut, The selected BOMs are not for the same item,The boms dipilih bukan untuk item yang sama, The selected item cannot have Batch,Item yang dipilih tidak boleh mempunyai Batch, The seller and the buyer cannot be the same,Penjual dan pembeli tidak boleh sama, @@ -3543,7 +3539,6 @@ Company GSTIN,Syarikat GSTIN, Company field is required,Bidang syarikat diperlukan, Creating Dimensions...,Membuat Dimensi ..., Duplicate entry against the item code {0} and manufacturer {1},Kemasukan salinan terhadap kod item {0} dan pengilang {1}, -Import Chart Of Accounts from CSV / Excel files,Import Carta Akaun dari fail CSV / Excel, 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, Invoice Grand Total,Jumlah Besar Invois, Last carbon check date cannot be a future date,Tarikh pemeriksaan karbon terakhir tidak boleh menjadi tarikh yang akan datang, @@ -3920,7 +3915,6 @@ Plaid authentication error,Ralat pengesahan kotak-kotak, Plaid public token error,Ralat token umum awam, Plaid transactions sync error,Kesilapan transaksi sync kotak-kotak, Please check the error log for details about the import errors,Sila periksa log ralat untuk butiran tentang ralat import, -Please click on the following link to set your new password,Sila klik pada pautan berikut untuk menetapkan kata laluan baru anda, Please create DATEV Settings for Company {}.,Sila buat Pengaturan DATEV untuk Syarikat {} ., Please create adjustment Journal Entry for amount {0} ,Sila buat penyesuaian Kemasukan Jurnal untuk jumlah {0}, Please do not create more than 500 items at a time,Tolong jangan buat lebih daripada 500 item pada satu masa, @@ -4043,7 +4037,6 @@ Search results for,Hasil carian untuk, Select All,Pilih Semua, Select Difference Account,Pilih Akaun Perbezaan, Select a Default Priority.,Pilih Keutamaan Lalai., -Select a Supplier from the Default Supplier List of the items below.,Pilih Pembekal dari Pembekal Lalai Senarai item di bawah., Select a company,Pilih sebuah syarikat, Select finance book for the item {0} at row {1},Pilih buku pembiayaan untuk item {0} di baris {1}, Select only one Priority as Default.,Pilih Hanya satu Keutamaan sebagai Lalai., @@ -4247,7 +4240,6 @@ Yes,Ya, Actual ,Sebenar, Add to cart,Dalam Troli, Budget,Bajet, -Chart Of Accounts Importer,Carta Pengimport Akaun, Chart of Accounts,Carta Akaun, Customer database.,Pangkalan data pelanggan., Days Since Last order,Sejak hari Perintah lepas, @@ -4939,7 +4931,6 @@ Closing Account Head,Penutup Kepala Akaun, POS Customer Group,POS Kumpulan Pelanggan, POS Field,POS Field, POS Item Group,POS Item Kumpulan, -[Select],[Pilih], Company Address,Alamat syarikat, Update Stock,Update Saham, Ignore Pricing Rule,Abaikan Peraturan Harga, @@ -6597,11 +6588,6 @@ Relieving Date,Melegakan Tarikh, Reason for Leaving,Sebab Berhenti, Leave Encashed?,Cuti ditunaikan?, Encashment Date,Penunaian Tarikh, -Exit Interview Details,Butiran Keluar Temuduga, -Held On,Diadakan Pada, -Reason for Resignation,Sebab Peletakan jawatan, -Better Prospects,Prospek yang lebih baik, -Health Concerns,Kebimbangan Kesihatan, New Workplace,New Tempat Kerja, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Jumlah yang dikembalikan, @@ -8237,9 +8223,6 @@ Landed Cost Help,Tanah Kos Bantuan, Manufacturers used in Items,Pengeluar yang digunakan dalam Perkara, Limited to 12 characters,Terhad kepada 12 aksara, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Tetapkan Gudang, -Sets 'For Warehouse' in each row of the Items table.,Tetapkan 'Untuk Gudang' di setiap baris jadual Item., -Requested For,Diminta Untuk, Partially Ordered,Diperintahkan Sebahagian, Transferred,dipindahkan, % Ordered,% Mengarahkan, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Gudang Permintaan Bahan, Select warehouse for material requests,Pilih gudang untuk permintaan bahan, Transfer Materials For Warehouse {0},Pindahkan Bahan Untuk Gudang {0}, Production Plan Material Request Warehouse,Gudang Permintaan Bahan Rancangan Pengeluaran, -Set From Warehouse,Set Dari Gudang, -Source Warehouse (Material Transfer),Gudang Sumber (Pemindahan Bahan), Sets 'Source Warehouse' in each row of the items table.,Tetapkan 'Source Warehouse' di setiap baris jadual item., Sets 'Target Warehouse' in each row of the items table.,Tetapkan 'Target Warehouse' di setiap baris jadual item., Show Cancelled Entries,Tunjukkan Entri yang Dibatalkan, @@ -9155,7 +9136,6 @@ Professional Tax,Cukai Profesional, Is Income Tax Component,Adakah Komponen Cukai Pendapatan, Component properties and references ,Sifat dan rujukan komponen, Additional Salary ,Gaji Tambahan, -Condtion and formula,Ketetapan dan formula, Unmarked days,Hari tanpa tanda, Absent Days,Hari yang tidak hadir, Conditions and Formula variable and example,Keadaan dan pemboleh ubah Formula dan contoh, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Kesalahan permintaan kotak-kotak tidak sah, Please check your Plaid client ID and secret values,Sila periksa ID pelanggan Plaid dan nilai rahsia anda, Bank transaction creation error,Kesalahan penciptaan transaksi bank, Unit of Measurement,Unit Pengukuran, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Baris # {}: Kadar penjualan item {} lebih rendah daripada {}. Harga jualan mestilah sekurang-kurangnya {}, Fiscal Year {0} Does Not Exist,Tahun Fiskal {0} Tidak Ada, Row # {0}: Returned Item {1} does not exist in {2} {3},Baris # {0}: Item yang Dikembalikan {1} tidak ada di {2} {3}, Valuation type charges can not be marked as Inclusive,Caj jenis penilaian tidak boleh ditandakan sebagai Inklusif, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Tetapkan Masa Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Masa Respons untuk {0} keutamaan dalam baris {1} tidak boleh lebih besar daripada Waktu Penyelesaian., {0} is not enabled in {1},{0} tidak diaktifkan di {1}, Group by Material Request,Kumpulkan mengikut Permintaan Bahan, -"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", Email Sent to Supplier {0},E-mel Dihantar ke Pembekal {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Akses untuk Meminta Sebutharga Dari Portal Dinyahdayakan. Untuk Membolehkan Akses, Aktifkannya dalam Tetapan Portal.", Supplier Quotation {0} Created,Sebut Harga Pembekal {0} Dibuat, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Jumlah berat yang diberika Account {0} exists in parent company {1}.,Akaun {0} wujud di syarikat induk {1}., "To overrule this, enable '{0}' in company {1}","Untuk mengatasi perkara ini, aktifkan '{0}' di syarikat {1}", Invalid condition expression,Ungkapan keadaan tidak sah, +Please Select a Company First,Sila Pilih Syarikat Pertama, +Please Select Both Company and Party Type First,Sila Pilih Kedua-dua Jenis Syarikat dan Pesta Pertama, +Provide the invoice portion in percent,Berikan bahagian invois dalam bentuk peratus, +Give number of days according to prior selection,Berikan bilangan hari mengikut pilihan sebelumnya, +Email Details,Maklumat E-mel, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Pilih ucapan untuk penerima. Cth Mr., Ms., dll.", +Preview Email,Pratonton E-mel, +Please select a Supplier,Sila pilih Pembekal, +Supplier Lead Time (days),Masa Lead Pembekal (hari), +"Home, Work, etc.","Rumah, Kerja, dll.", +Exit Interview Held On,Temu Duga Keluar Diadakan, +Condition and formula,Keadaan dan formula, +Sets 'Target Warehouse' in each row of the Items table.,Tetapkan 'Target Warehouse' di setiap baris jadual Item., +Sets 'Source Warehouse' in each row of the Items table.,Tetapkan 'Source Warehouse' di setiap baris jadual Item., +POS Register,Daftar POS, +"Can not filter based on POS Profile, if grouped by POS Profile","Tidak dapat menapis berdasarkan Profil POS, jika dikelompokkan berdasarkan Profil POS", +"Can not filter based on Customer, if grouped by Customer","Tidak dapat menapis berdasarkan Pelanggan, jika dikelompokkan oleh Pelanggan", +"Can not filter based on Cashier, if grouped by Cashier","Tidak dapat menapis berdasarkan Juruwang, jika dikelompokkan mengikut Juruwang", +Payment Method,Kaedah Pembayaran, +"Can not filter based on Payment Method, if grouped by Payment Method","Tidak dapat menapis berdasarkan Kaedah Pembayaran, jika dikelompokkan berdasarkan Kaedah Pembayaran", +Supplier Quotation Comparison,Perbandingan Sebut Harga Pembekal, +Price per Unit (Stock UOM),Harga seunit (Stok UOM), +Group by Supplier,Kumpulan mengikut Pembekal, +Group by Item,Kumpulan mengikut Item, +Remember to set {field_label}. It is required by {regulation}.,Ingatlah untuk menetapkan {field_label}. Ia diharuskan oleh {peraturan}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Tarikh Pendaftaran tidak boleh sebelum Tarikh Mula Tahun Akademik {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Tarikh Pendaftaran tidak boleh selepas Tarikh Akhir Tempoh Akademik {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Tarikh Pendaftaran tidak boleh sebelum Tarikh Mula Istilah Akademik {0}, +Posting future transactions are not allowed due to Immutable Ledger,Mengeposkan urus niaga masa depan tidak dibenarkan kerana Lejar Tidak Berubah, +Future Posting Not Allowed,Pengeposan Masa Depan Tidak Dibolehkan, +"To enable Capital Work in Progress Accounting, ","Untuk membolehkan Kerja Modal dalam Perakaunan Progress,", +you must select Capital Work in Progress Account in accounts table,anda mesti memilih Capital Work in Progress Account dalam jadual akaun, +You can also set default CWIP account in Company {},Anda juga boleh menetapkan akaun CWIP lalai di Syarikat {}, +The Request for Quotation can be accessed by clicking on the following button,Permintaan Sebutharga dapat diakses dengan mengklik butang berikut, +Regards,Salam, +Please click on the following button to set your new password,Klik pada butang berikut untuk menetapkan kata laluan baru anda, +Update Password,Kemas kini Kata Laluan, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Baris # {}: Kadar penjualan item {} lebih rendah daripada {}. Menjual {} harus sekurang-kurangnya {}, +You can alternatively disable selling price validation in {} to bypass this validation.,Anda juga boleh mematikan pengesahan harga jualan di {} untuk memintas pengesahan ini., +Invalid Selling Price,Harga Jual Tidak Sah, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Alamat perlu dihubungkan ke Syarikat. Sila tambah baris untuk Syarikat dalam jadual Pautan., +Company Not Linked,Syarikat Tidak Berkaitan, +Import Chart of Accounts from CSV / Excel files,Import Carta Akaun dari fail CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',Kuantiti yang diselesaikan tidak boleh lebih besar daripada 'Kuantiti untuk Pembuatan', +"Row {0}: For Supplier {1}, Email Address is Required to send an email","Baris {0}: Untuk Pembekal {1}, Alamat E-mel Diperlukan untuk menghantar e-mel", diff --git a/erpnext/translations/my.csv b/erpnext/translations/my.csv index 1dcaa87c3b..66fc343dce 100644 --- a/erpnext/translations/my.csv +++ b/erpnext/translations/my.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,'' Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,စွဲချက်အသီးအသီးကို item ဆန့်ကျင်ဝယ်ယူခြင်းပြေစာ Update လုပ်ပေး, "Charges will be distributed proportionately based on item qty or amount, as per your selection",စွဲချက်သင့်ရဲ့ရွေးချယ်မှုနှုန်းအဖြစ်ကို item qty သို့မဟုတ်ပမာဏအပေါ်အခြေခံပြီးအခြိုးအစားဖြန့်ဝေပါလိမ့်မည်, -Chart Of Accounts,ငွေစာရင်း၏ဇယား, Chart of Cost Centers,ကုန်ကျစရိတ်စင်တာများ၏ဇယား, Check all,အားလုံး Check, Checkout,ထွက်ခွာသည်, @@ -581,7 +580,6 @@ Company {0} does not exist,ကုမ္ပဏီ {0} မတည်ရှိပါ Compensatory Off,ပိတ် Compensatory, Compensatory leave request days not in valid holidays,ခိုင်လုံသောအားလပ်ရက်များတွင်အစားထိုးခွင့်တောင်းဆိုမှုကိုရက်ပေါင်းမဟုတ်, Complaint,တိုင်ကြားစာ, -Completed Qty can not be greater than 'Qty to Manufacture',ပြီးစီး Qty '' Qty ထုတ်လုပ်ခြင်းမှ '' ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ, Completion Date,ပြီးစီးနေ့စွဲ, Computer,ကွန်ပျူတာ, Condition,condition, @@ -2033,7 +2031,6 @@ Please select Category first,ပထမဦးဆုံးအမျိုးအ Please select Charge Type first,တာဝန်ခံကအမျိုးအစားပထမဦးဆုံးကိုရွေးပါ ကျေးဇူးပြု., Please select Company,ကုမ္ပဏီကို select ကျေးဇူးပြု., Please select Company and Designation,ကုမ္ပဏီနှင့်ဒီဇိုင်းကိုရွေးချယ်ပါ ကျေးဇူးပြု., -Please select Company and Party Type first,ပထမဦးဆုံးကုမ္ပဏီနှင့်ပါတီ Type ကိုရွေးပါ ကျေးဇူးပြု., Please select Company and Posting Date to getting entries,posts များလာပြီမှကုမ္ပဏီနှင့် Post date ကို select ပေးပါ, Please select Company first,ကုမ္ပဏီပထမဦးဆုံးကိုရွေးပါ ကျေးဇူးပြု., Please select Completion Date for Completed Asset Maintenance Log,Completed ပိုင်ဆိုင်မှုကို Maintenance Log in ဝင်ရန်အဘို့အပြီးစီးနေ့စွဲကို select ပေးပါ, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,သငျသ The name of your company for which you are setting up this system.,သင်သည်ဤစနစ်ကတည်ထောင်ထားသည့်အဘို့အသင့်ကုမ္ပဏီ၏နာမတော်။, The number of shares and the share numbers are inconsistent,ရှယ်ယာအရေအတွက်နှင့်ရှယ်ယာဂဏန်းကိုက်ညီမှုရှိပါတယ်, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,အစီအစဉ် {0} အတွက်ငွေပေးချေမှုတံခါးပေါက်အကောင့်ဤငွေပေးချေမှုတောင်းဆိုမှုကိုအတွက်ငွေပေးချေမှုတံခါးပေါက်အကောင့်မှကွဲပြားခြားနားသည်, -The request for quotation can be accessed by clicking on the following link,quotation အဘို့မေတ္တာရပ်ခံချက်ကိုအောက်ပါ link ကိုနှိပ်ခြင်းအားဖြင့်ဝင်ရောက်စေနိုင်သည်, The selected BOMs are not for the same item,ရွေးချယ်ထားတဲ့ BOMs တူညီတဲ့အရာအတွက်မဟုတ်, The selected item cannot have Batch,ရွေးချယ်ထားတဲ့ item Batch ရှိသည်မဟုတ်နိုင်, The seller and the buyer cannot be the same,ရောင်းသူနှင့်ဝယ်တူမဖွစျနိုငျ, @@ -3543,7 +3539,6 @@ Company GSTIN,ကုမ္ပဏီ GSTIN, Company field is required,ကုမ္ပဏီလယ်ကွက်လိုအပ်ပါသည်, Creating Dimensions...,Creating အရွယ်အစား ..., Duplicate entry against the item code {0} and manufacturer {1},ပစ္စည်းကုဒ် {0} နှင့်ထုတ်လုပ်သူ {1} ဆန့်ကျင် entry ကို Duplicate, -Import Chart Of Accounts from CSV / Excel files,CSV ဖိုင် / Excel ကိုဖိုင်တွေထဲက Accounts ကို၏သွင်းကုန်ဇယား, 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 နဲ့မကိုက်ညီ, Invoice Grand Total,ငွေတောင်းခံလွှာက Grand စုစုပေါင်း, Last carbon check date cannot be a future date,နောက်ဆုံးကာဗွန်စစ်ဆေးမှုများနေ့စွဲအနာဂတ်နေ့စွဲမဖွစျနိုငျ, @@ -3920,7 +3915,6 @@ Plaid authentication error,Plaid စစ်မှန်ကြောင်းအ Plaid public token error,အများပြည်သူတိုကင်နံပါတ်အမှား Plaid, Plaid transactions sync error,Plaid အရောင်းအချိန်ကိုက်မှုအမှား, Please check the error log for details about the import errors,သွင်းကုန်အမှားအယွင်းများအကြောင်းအသေးစိတ်များအတွက်အမှားမှတ်တမ်းစစ်ဆေးပါ, -Please click on the following link to set your new password,သင့်ရဲ့စကားဝှက်အသစ်တင်ထားရန်အောက်ပါ link ကို click နှိပ်ပြီး ကျေးဇူးပြု., Please create DATEV Settings for Company {}.,ကျေးဇူးပြု၍ ကုမ္ပဏီအတွက် DATEV ဆက်တင်များ {} ကို ဖန်တီးပါ။, Please create adjustment Journal Entry for amount {0} ,ကျေးဇူးပြု၍ ညှိနှိုင်းမှုကို Journal Entry အတွက်ငွေပမာဏ {0} ဖန်တီးပါ။, Please do not create more than 500 items at a time,တစ်ကြိမ် 500 ကျော်ပစ္စည်းများကိုဖန်တီးပါဘူးကျေးဇူးပြုပြီး, @@ -4043,7 +4037,6 @@ Search results for,ရှာဖွေမှုရလဒ်များ, Select All,အားလုံးကို Select လုပ်ပါ, Select Difference Account,Difference အကောင့်ကိုရွေးချယ်ပါ, Select a Default Priority.,တစ်ပုံမှန်ဦးစားပေးရွေးချယ်ပါ။, -Select a Supplier from the Default Supplier List of the items below.,အောက်ဖော်ပြပါပစ္စည်းများ၏ပုံမှန်ပေးသွင်းသူစာရင်းမှပေးသွင်းသူကိုရွေးပါ။, Select a company,ကုမ္ပဏီကိုရွေးချယ်ပါ, Select finance book for the item {0} at row {1},{1} အတန်းမှာကို item {0} များအတွက်ဘဏ္ဍာရေးစာအုပ်ကို Select လုပ်ပါ, Select only one Priority as Default.,ပုံမှန်အဖြစ်တစ်ဦးတည်းသာဦးစားပေးရွေးချယ်ပါ။, @@ -4247,7 +4240,6 @@ Yes,ဟုတ်ကဲ့, Actual ,အမှန်တကယ်, Add to cart,စျေးဝယ်ခြင်းထဲသို့ထည့်သည်, Budget,ဘတ်ဂျက်, -Chart Of Accounts Importer,Accounts ကိုတင်သွင်းမှုဇယား, Chart of Accounts,အကောင့်ဇယား, Customer database.,ဖောက်သည်ဒေတာဘေ့စ။, Days Since Last order,နောက်ဆုံးအမိန့်အပြီးရက်များ, @@ -4939,7 +4931,6 @@ Closing Account Head,နိဂုံးချုပ်အကောင့်ဌ POS Customer Group,POS ဖောက်သည်အုပ်စု, POS Field,POS Field, POS Item Group,POS ပစ္စည်းအုပ်စု, -[Select],[ရွေးပါ], Company Address,ကုမ္ပဏီလိပ်စာ, Update Stock,စတော့အိတ် Update, Ignore Pricing Rule,စျေးနှုန်းများ Rule Ignore, @@ -6597,11 +6588,6 @@ Relieving Date,နေ့စွဲ Relieving, Reason for Leaving,ထွက်ခွာရသည့်အကြောင်းရင်း, Leave Encashed?,Encashed Leave?, Encashment Date,Encashment နေ့စွဲ, -Exit Interview Details,Exit ကိုအင်တာဗျူးအသေးစိတ်ကို, -Held On,တွင်ကျင်းပ, -Reason for Resignation,ရာထူးမှနုတ်ထွက်ရသည့်အကြောင်းရင်း, -Better Prospects,သာ. ကောင်း၏အလားအလာ, -Health Concerns,ကနျြးမာရေးကိုဒေသခံများကစိုးရိမ်ပူပန်နေကြ, New Workplace,နယူးလုပ်ငန်းခွင်, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,ပြန်လာသောငွေပမာဏ, @@ -8237,9 +8223,6 @@ Landed Cost Help,ကုန်ကျစရိတ်အကူအညီဆင်း Manufacturers used in Items,ပစ္စည်းများအတွက်အသုံးပြုထုတ်လုပ်သူများ, Limited to 12 characters,12 ဇာတ်ကောင်များကန့်သတ်, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,ဂိုဒေါင်ကိုသတ်မှတ်မည်, -Sets 'For Warehouse' in each row of the Items table.,ပစ္စည်းများဇယား၏အတန်းတစ်ခုစီတွင် 'For Warehouse' ကိုသတ်မှတ်သည်။, -Requested For,အကြောင်းမူကားမေတ္တာရပ်ခံ, Partially Ordered,တစ်စိတ်တစ်ပိုင်းအမိန့်, Transferred,လွှဲပြောင်း, % Ordered,% မိန့်ထုတ်, @@ -8688,8 +8671,6 @@ Material Request Warehouse,ပစ္စည်းတောင်းခံဂိ Select warehouse for material requests,ပစ္စည်းတောင်းဆိုမှုများအတွက်ဂိုဒေါင်ကိုရွေးပါ, Transfer Materials For Warehouse {0},ဂိုဒေါင်အတွက်လွှဲပြောင်းပစ္စည်းများ {0}, Production Plan Material Request Warehouse,ထုတ်လုပ်မှုအစီအစဉ်ပစ္စည်းတောင်းခံဂိုဒေါင်, -Set From Warehouse,ဂိုဒေါင်မှသတ်မှတ်မည်, -Source Warehouse (Material Transfer),ရင်းမြစ်ဂိုဒေါင် (ပစ္စည်းလွှဲပြောင်းခြင်း), Sets 'Source Warehouse' in each row of the items table.,ပစ္စည်းများဇယား၏အတန်းတစ်ခုစီတွင် 'Source Warehouse' ကိုသတ်မှတ်ပါ။, Sets 'Target Warehouse' in each row of the items table.,ပစ္စည်းများဇယား၏တန်းတစ်ခုစီတွင် 'Target Warehouse' ကိုသတ်မှတ်ပါ။, Show Cancelled Entries,Cancel Entries ကိုပြပါ, @@ -9155,7 +9136,6 @@ Professional Tax,Professional Tax, Is Income Tax Component,ဝင်ငွေခွန်အစိတ်အပိုင်းဖြစ်သည်, Component properties and references ,အစိတ်အပိုင်းဂုဏ်သတ္တိများနှင့်ကိုးကား, Additional Salary ,အပိုလစာ, -Condtion and formula,အခြေအနေနှင့်ပုံသေနည်း, Unmarked days,အမှတ်အသားပြုထားသည့်နေ့ရက်များ, Absent Days,ပျက်ကွက်ရက်များ, Conditions and Formula variable and example,အခြေအနေများနှင့်ဖော်မြူလာ variable ကိုနှင့်ဥပမာ, @@ -9442,7 +9422,6 @@ Plaid invalid request error,မှားနေသောတောင်းဆိ Please check your Plaid client ID and secret values,ကျေးဇူးပြု၍ သင်၏ Plaid client ID နှင့်လျှို့ဝှက်တန်ဖိုးများကိုစစ်ဆေးပါ, Bank transaction creation error,ဘဏ်ငွေပေးငွေယူဖန်တီးမှုအမှား, Unit of Measurement,အတိုင်းအတာယူနစ်, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Row # {}: item {} အတွက်ရောင်းနှုန်းသည်၎င်း {} ထက်နိမ့်သည်။ ရောင်းနှုန်းမှာ atleast ဖြစ်သင့်သည်။, Fiscal Year {0} Does Not Exist,ဘဏ္calာရေးနှစ် {0} မတည်ရှိပါ, Row # {0}: Returned Item {1} does not exist in {2} {3},Row # {0}: {2} {3} မှာမပြန်ပါဘူး။, Valuation type charges can not be marked as Inclusive,တန်ဖိုးအမျိုးအစားကိုပါဝင်မှုအဖြစ်မှတ်သားလို့မရပါ, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,အတန် Response Time for {0} priority in row {1} can't be greater than Resolution Time.,{1} အတန်း {1} တွင်တုန့်ပြန်သောအချိန်သည် Resolution Time ထက်မကြီးပါ။, {0} is not enabled in {1},{0} ကို {1} တွင်မဖွင့်ပါ, Group by Material Request,ပစ္စည်းတောင်းဆိုမှုအားဖြင့်အုပ်စု, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",အတန်း {0} - ပေးသွင်းသူအတွက် {0}၊ အီးမေးလ်လိပ်စာပေးရန်အီးမေးလ်လိပ်စာလိုအပ်သည်, Email Sent to Supplier {0},ပေးသွင်းသူထံသို့အီးမေးလ်ပေးပို့သည် {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",Portal မှဈေးနှုန်းတောင်းခံရန် Access ကိုပိတ်ထားသည်။ Access ကိုခွင့်ပြုရန် Portal Settings တွင်၎င်းကို Enable လုပ်ပါ။, Supplier Quotation {0} Created,ပေးသွင်းစျေးနှုန်း {0} Created, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},တာဝန်ပေး Account {0} exists in parent company {1}.,အကောင့် {0} သည်မိခင်ကုမ္ပဏီတွင်တည်ရှိသည် {1} ။, "To overrule this, enable '{0}' in company {1}",၎င်းကိုပယ်ဖျက်နိုင်ရန်ကုမ္ပဏီ {{}} တွင် '{0}' ကိုဖွင့်ပါ။, Invalid condition expression,မမှန်ကန်သောအခြေအနေစကားရပ်, +Please Select a Company First,ကျေးဇူးပြု၍ ကုမ္ပဏီတစ်ခုရွေးပါ, +Please Select Both Company and Party Type First,ကျေးဇူးပြု၍ ကုမ္ပဏီနှင့်ပါတီအမျိုးအစားကို ဦး စွာရွေးပါ, +Provide the invoice portion in percent,ငွေတောင်းခံလွှာကိုရာခိုင်နှုန်းဖြင့်ပေးပါ, +Give number of days according to prior selection,ကြိုတင်ရွေးချယ်မှုအရရက်အရေအတွက်ကိုပေးပါ, +Email Details,အီးမေးလ်အသေးစိတ်, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.",လက်ခံများအတွက်နှုတ်ခွန်းဆက်ကိုရွေးချယ်ပါ။ ဥပမာ၊ Mr., +Preview Email,အီးမေးလ်ကိုအစမ်းကြည့်ပါ, +Please select a Supplier,ပေးသွင်းသူရွေးပါ, +Supplier Lead Time (days),ပေးသွင်းသူအချိန် (ရက်များ), +"Home, Work, etc.",အိမ်၊ အလုပ်စသည်, +Exit Interview Held On,Exit Interview တွင်ကျင်းပသည်, +Condition and formula,အခြေအနေနှင့်ပုံသေနည်း, +Sets 'Target Warehouse' in each row of the Items table.,ပစ္စည်းများဇယား၏တန်းတစ်ခုစီတွင် 'Target Warehouse' ကိုသတ်မှတ်ပါ။, +Sets 'Source Warehouse' in each row of the Items table.,ပစ္စည်းများဇယား၏အတန်းတိုင်း၌ 'Source Warehouse' ကိုသတ်မှတ်သည်။, +POS Register,POS မှတ်ပုံတင်ပါ, +"Can not filter based on POS Profile, if grouped by POS Profile",POS ပရိုဖိုင်းဖြင့်အုပ်စုဖွဲ့ပါက POS ပရိုဖိုင်းကို အခြေခံ၍ စီစစ်။ မရပါ, +"Can not filter based on Customer, if grouped by Customer",ဝယ်သူမှအုပ်စုဖွဲ့လျှင်ဖောက်သည်ကို အခြေခံ၍ စီစစ်။ မရပါ, +"Can not filter based on Cashier, if grouped by Cashier",ငွေကိုင်သည်အုပ်စုဖွဲ့ပါကငွေကိုင်အပေါ် အခြေခံ၍ စီစစ်။ မရပါ, +Payment Method,ငွေပေးချေစနစ်, +"Can not filter based on Payment Method, if grouped by Payment Method",ငွေပေးချေမှုနည်းလမ်းဖြင့်အုပ်စုဖွဲ့ပါကငွေပေးချေမှုနည်းလမ်းကို အခြေခံ၍ စီစစ်။ မရပါ, +Supplier Quotation Comparison,ပေးသွင်းစျေးနှုန်းနှိုင်းယှဉ်, +Price per Unit (Stock UOM),တစ်ယူနစ်စျေးနှုန်း (စတော့အိတ် UOM), +Group by Supplier,ပေးသွင်းခြင်းဖြင့်အုပ်စု, +Group by Item,ပစ္စည်းအားဖြင့်အုပ်စုတစ်စု, +Remember to set {field_label}. It is required by {regulation}.,{field_label} ကိုသတ်မှတ်ရန်သတိရပါ။ {{စည်းမျဉ်း} ကလိုအပ်သည်။, +Enrollment Date cannot be before the Start Date of the Academic Year {0},ကျောင်းအပ်နှံသည့်နေ့ရက်ကိုပညာသင်နှစ်စတင်ချိန်မတိုင်မီ {0} မဖြစ်နိုင်ပါ။, +Enrollment Date cannot be after the End Date of the Academic Term {0},{0} ပညာသင်နှစ်ကုန်ဆုံးပြီးနောက်တွင်ကျောင်းအပ်ရန်နေ့ရက်မဖြစ်နိုင်ပါ။, +Enrollment Date cannot be before the Start Date of the Academic Term {0},ကျောင်းအပ်နှံသည့်နေ့သည်ပညာသင်နှစ်သက်တမ်းမစမှီမဖြစ်နိုင်ပါ။ {0}, +Posting future transactions are not allowed due to Immutable Ledger,Immutable Ledger ကြောင့်အနာဂတ်အရောင်းအ ၀ ယ်များကိုခွင့်မပြုပါ, +Future Posting Not Allowed,အနာဂတ်တင်ပို့ခြင်းကိုခွင့်မပြုပါ, +"To enable Capital Work in Progress Accounting, ","တိုးတက်မှုစာရင်းအင်းအတွက်မြို့တော်အလုပ် enable လုပ်ဖို့,", +you must select Capital Work in Progress Account in accounts table,သင်ဟာ Account Work တွင် Progress Account ရှိ Capital Work ကိုရွေးချယ်ရမည်, +You can also set default CWIP account in Company {},Default CWIP အကောင့်ကိုကုမ္ပဏီ {} တွင်လည်းသတ်မှတ်နိုင်သည်။, +The Request for Quotation can be accessed by clicking on the following button,ဈေးနှုန်းတောင်းခံမှုကိုအောက်ပါခလုတ်ကိုနှိပ်ခြင်းအားဖြင့် ၀ င်ရောက်ကြည့်ရှုနိုင်သည်, +Regards,လေးစားပါတယ်, +Please click on the following button to set your new password,သင်၏စကားဝှက်အသစ်ကိုသတ်မှတ်ရန်အောက်ပါခလုတ်ကိုနှိပ်ပါ, +Update Password,စကားဝှက်ကိုမွမ်းမံပါ, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Row # {}: item {} အတွက်ရောင်းနှုန်းသည်၎င်း {} ထက်နိမ့်သည်။ {} ရောင်းသည် atleast ဖြစ်သင့်သည်။, +You can alternatively disable selling price validation in {} to bypass this validation.,ဤအတည်ပြုခြင်းကိုကျော်လွှားရန် {} တွင်ရောင်းဈေးနှုန်း validation ကိုတနည်းအားဖြင့်ပိတ်နိုင်သည်။, +Invalid Selling Price,မမှန်ကန်သောရောင်းဈေး, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,လိပ်စာသည်ကုမ္ပဏီနှင့်ချိတ်ဆက်ရန်လိုအပ်သည် ကျေးဇူးပြု၍ Links ဇယားတွင်ကုမ္ပဏီအတွက်အတန်းတစ်ခုထည့်ပေးပါ။, +Company Not Linked,ကုမ္ပဏီဆက်စပ်မှုမရှိပါ, +Import Chart of Accounts from CSV / Excel files,CSV / Excel ဖိုင်များမှငွေစာရင်းဇယားတင်သွင်းပါ, +Completed Qty cannot be greater than 'Qty to Manufacture',ပြည့်စုံသောအရေအတွက်သည် 'Qty to Manufacturing' 'ထက်မကြီးနိုင်ပါ။, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",အတန်း {0} - ပေးသွင်းသူအတွက် {1}၊ အီးမေးလ်လိပ်စာတစ်ခုပေးပို့ရန်အီးမေးလ်လိပ်စာလိုအပ်သည်, diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv index afbb20b4ad..d4a651d974 100644 --- a/erpnext/translations/nl.csv +++ b/erpnext/translations/nl.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge van he Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,Kosten worden bijgewerkt in Kwitantie tegen elk item, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Kosten zullen worden proportioneel gedistribueerd op basis van punt aantal of de hoeveelheid, als per uw selectie", -Chart Of Accounts,Rekeningschema, Chart of Cost Centers,Kostenplaatsenschema, Check all,Alles aanvinken, Checkout,Uitchecken, @@ -581,7 +580,6 @@ Company {0} does not exist,Company {0} bestaat niet, Compensatory Off,compenserende Off, Compensatory leave request days not in valid holidays,Verzoek om compenserende verlofaanvragen niet in geldige feestdagen, Complaint,Klacht, -Completed Qty can not be greater than 'Qty to Manufacture',Voltooid aantal mag niet groter zijn dan 'Aantal te produceren', Completion Date,Voltooiingsdatum, Computer,Computer, Condition,Voorwaarde, @@ -2033,7 +2031,6 @@ Please select Category first,Selecteer eerst een Categorie, Please select Charge Type first,Selecteer eerst een Charge Type, Please select Company,Selecteer Company, Please select Company and Designation,Selecteer Bedrijf en Aanwijzing, -Please select Company and Party Type first,Selecteer Company en Party Type eerste, Please select Company and Posting Date to getting entries,Selecteer Bedrijf en boekingsdatum om inzendingen te ontvangen, Please select Company first,Selecteer Company eerste, Please select Completion Date for Completed Asset Maintenance Log,Selecteer de voltooiingsdatum voor het uitgevoerde onderhoudslogboek, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,De naam van The name of your company for which you are setting up this system.,De naam van uw bedrijf waar u het systeem voor op zet., The number of shares and the share numbers are inconsistent,Het aantal aandelen en de aandelenaantallen zijn inconsistent, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Het betalingsgateway-account in plan {0} verschilt van het betalingsgateway-account in dit betalingsverzoek, -The request for quotation can be accessed by clicking on the following link,Het verzoek voor een offerte kan worden geopend door te klikken op de volgende link, The selected BOMs are not for the same item,De geselecteerde stuklijsten zijn niet voor hetzelfde item, The selected item cannot have Batch,Het geselecteerde item kan niet Batch hebben, The seller and the buyer cannot be the same,De verkoper en de koper kunnen niet hetzelfde zijn, @@ -3543,7 +3539,6 @@ Company GSTIN,Bedrijf GSTIN, Company field is required,Bedrijfsveld is verplicht, Creating Dimensions...,Dimensies maken ..., Duplicate entry against the item code {0} and manufacturer {1},Dubbele invoer tegen de artikelcode {0} en fabrikant {1}, -Import Chart Of Accounts from CSV / Excel files,Grafiek van accounts importeren vanuit CSV / Excel-bestanden, 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 heeft ingevoerd, komt niet overeen met de GSTIN-indeling voor UIN-houders of niet-residente OIDAR-serviceproviders", Invoice Grand Total,Totaal factuurbedrag, Last carbon check date cannot be a future date,De laatste carbon check-datum kan geen toekomstige datum zijn, @@ -3920,7 +3915,6 @@ Plaid authentication error,Plaid-authenticatiefout, Plaid public token error,Plaid public token error, Plaid transactions sync error,Synchronisatiefout voor transacties met plaid, Please check the error log for details about the import errors,Controleer het foutenlogboek voor details over de importfouten, -Please click on the following link to set your new password,Klik op de volgende link om je nieuwe wachtwoord in te stellen, Please create DATEV Settings for Company {}.,Maak DATEV-instellingen voor bedrijf {} ., Please create adjustment Journal Entry for amount {0} ,Maak een aanpassing Journaalboeking voor bedrag {0}, Please do not create more than 500 items at a time,Maak niet meer dan 500 items tegelijk, @@ -4043,7 +4037,6 @@ Search results for,zoekresultaten voor, Select All,Alles selecteren, Select Difference Account,Selecteer Verschilaccount, Select a Default Priority.,Selecteer een standaardprioriteit., -Select a Supplier from the Default Supplier List of the items below.,Selecteer een leverancier uit de standaardleverancierslijst van de onderstaande items., Select a company,Selecteer een bedrijf, Select finance book for the item {0} at row {1},Selecteer financieringsboek voor het artikel {0} op rij {1}, Select only one Priority as Default.,Selecteer slechts één prioriteit als standaard., @@ -4247,7 +4240,6 @@ Yes,Ja, Actual ,Werkelijk, Add to cart,In winkelwagen, Budget,Begroting, -Chart Of Accounts Importer,Grafiek van accounts importeur, Chart of Accounts,Rekeningschema, Customer database.,Klantendatabase., Days Since Last order,Dagen sinds laatste Order, @@ -4939,7 +4931,6 @@ Closing Account Head,Sluiten Account Hoofd, POS Customer Group,POS Customer Group, POS Field,POS-veld, POS Item Group,POS Item Group, -[Select],[Selecteer], Company Address,bedrijfsadres, Update Stock,Voorraad bijwerken, Ignore Pricing Rule,Negeer Prijsregel, @@ -6597,11 +6588,6 @@ Relieving Date,Ontslagdatum, Reason for Leaving,Reden voor vertrek, Leave Encashed?,Verlof verzilverd?, Encashment Date,Betalingsdatum, -Exit Interview Details,Exit Gesprek Details, -Held On,Heeft plaatsgevonden op, -Reason for Resignation,Reden voor ontslag, -Better Prospects,Betere vooruitzichten, -Health Concerns,Gezondheidszorgen, New Workplace,Nieuwe werkplek, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Geretourneerd bedrag, @@ -8237,9 +8223,6 @@ Landed Cost Help,Vrachtkosten Help, Manufacturers used in Items,Fabrikanten gebruikt in Items, Limited to 12 characters,Beperkt tot 12 tekens, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Stel Magazijn in, -Sets 'For Warehouse' in each row of the Items table.,Stelt 'Voor magazijn' in in elke rij van de itemtabel., -Requested For,Aangevraagd voor, Partially Ordered,Gedeeltelijk besteld, Transferred,overgedragen, % Ordered,% Besteld, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Materiaalaanvraag Magazijn, Select warehouse for material requests,Selecteer magazijn voor materiaalaanvragen, Transfer Materials For Warehouse {0},Materiaal overbrengen voor magazijn {0}, Production Plan Material Request Warehouse,Productieplan Materiaalaanvraag Magazijn, -Set From Warehouse,Instellen vanuit magazijn, -Source Warehouse (Material Transfer),Bronmagazijn (materiaaloverdracht), Sets 'Source Warehouse' in each row of the items table.,Stelt 'Bronmagazijn' in in elke rij van de itemtabel., Sets 'Target Warehouse' in each row of the items table.,Stelt 'Target Warehouse' in in elke rij van de itemtabel., Show Cancelled Entries,Toon geannuleerde inzendingen, @@ -9155,7 +9136,6 @@ Professional Tax,Beroepsbelasting, Is Income Tax Component,Is component inkomstenbelasting, Component properties and references ,Componenteigenschappen en verwijzingen, Additional Salary ,Extra salaris, -Condtion and formula,Conditie en formule, Unmarked days,Ongemarkeerde dagen, Absent Days,Afwezige dagen, Conditions and Formula variable and example,Voorwaarden en Formule variabele en voorbeeld, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Fout met ongeldig verzoek geruit, Please check your Plaid client ID and secret values,Controleer uw Plaid-klant-ID en geheime waarden, Bank transaction creation error,Fout bij maken van banktransactie, Unit of Measurement,Meet eenheid, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Rij # {}: het verkooppercentage voor artikel {} is lager dan zijn {}. Het verkooppercentage moet minimaal {} zijn, Fiscal Year {0} Does Not Exist,Boekjaar {0} bestaat niet, Row # {0}: Returned Item {1} does not exist in {2} {3},Rij # {0}: geretourneerd item {1} bestaat niet in {2} {3}, Valuation type charges can not be marked as Inclusive,Kosten van het taxatietype kunnen niet als inclusief worden gemarkeerd, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Stel Reactiet Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Reactietijd voor {0} prioriteit in rij {1} kan niet groter zijn dan Oplossingstijd., {0} is not enabled in {1},{0} is niet ingeschakeld in {1}, Group by Material Request,Groeperen op materiaalverzoek, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Rij {0}: voor leverancier {0} is e-mailadres vereist om e-mail te verzenden, Email Sent to Supplier {0},E-mail verzonden naar leverancier {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","De toegang tot offerteaanvraag vanuit de portal is uitgeschakeld. Om toegang toe te staan, schakelt u het in in Portal-instellingen.", Supplier Quotation {0} Created,Offerte van leverancier {0} gemaakt, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Het totale toegewezen gewi Account {0} exists in parent company {1}.,Account {0} bestaat in moederbedrijf {1}., "To overrule this, enable '{0}' in company {1}",Schakel '{0}' in bedrijf {1} in om dit te negeren, Invalid condition expression,Ongeldige voorwaarde-uitdrukking, +Please Select a Company First,Selecteer eerst een bedrijf, +Please Select Both Company and Party Type First,Selecteer eerst zowel het type bedrijf als partij, +Provide the invoice portion in percent,Geef het factuurgedeelte op in procenten, +Give number of days according to prior selection,Geef het aantal dagen op volgens voorafgaande selectie, +Email Details,E-mailgegevens, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Selecteer een begroeting voor de ontvanger. Bijv. Meneer, mevrouw, etc.", +Preview Email,Voorbeeld van e-mail bekijken, +Please select a Supplier,Selecteer een leverancier, +Supplier Lead Time (days),Doorlooptijd leverancier (dagen), +"Home, Work, etc.","Thuis, werk, etc.", +Exit Interview Held On,Exit Interview aangehouden, +Condition and formula,Staat en formule, +Sets 'Target Warehouse' in each row of the Items table.,Stelt 'Target Warehouse' in in elke rij van de Item-tabel., +Sets 'Source Warehouse' in each row of the Items table.,Stelt 'Bronmagazijn' in in elke rij van de itemtabel., +POS Register,POS-register, +"Can not filter based on POS Profile, if grouped by POS Profile","Kan niet filteren op basis van POS-profiel, indien gegroepeerd op POS-profiel", +"Can not filter based on Customer, if grouped by Customer","Kan niet filteren op klant, indien gegroepeerd op klant", +"Can not filter based on Cashier, if grouped by Cashier","Kan niet filteren op basis van kassier, indien gegroepeerd op kassier", +Payment Method,Betalingswijze, +"Can not filter based on Payment Method, if grouped by Payment Method","Kan niet filteren op basis van betalingsmethode, indien gegroepeerd op betalingsmethode", +Supplier Quotation Comparison,Vergelijking van offertes van leveranciers, +Price per Unit (Stock UOM),Prijs per stuk (voorraadeenheid), +Group by Supplier,Groeperen op leverancier, +Group by Item,Groeperen op item, +Remember to set {field_label}. It is required by {regulation}.,Vergeet niet om {field_label} in te stellen. Het is vereist door {regelgeving}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Inschrijvingsdatum mag niet voor de startdatum van het academische jaar liggen {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Inschrijvingsdatum mag niet na de einddatum van de academische periode zijn {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Inschrijvingsdatum mag niet voor de startdatum van de academische periode liggen {0}, +Posting future transactions are not allowed due to Immutable Ledger,Het boeken van toekomstige transacties is niet toegestaan vanwege Immutable Ledger, +Future Posting Not Allowed,Toekomstige plaatsing niet toegestaan, +"To enable Capital Work in Progress Accounting, ","Om Capital Work in Progress Accounting in te schakelen,", +you must select Capital Work in Progress Account in accounts table,u moet Capital Work in Progress Account selecteren in de rekeningentabel, +You can also set default CWIP account in Company {},U kunt ook een standaard CWIP-account instellen in Bedrijf {}, +The Request for Quotation can be accessed by clicking on the following button,De offerteaanvraag is toegankelijk door op de volgende knop te klikken, +Regards,vriendelijke groeten, +Please click on the following button to set your new password,Klik op de volgende knop om uw nieuwe wachtwoord in te stellen, +Update Password,Vernieuw wachtwoord, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Rij # {}: het verkooppercentage voor artikel {} is lager dan zijn {}. Verkopen {} zou minstens {} moeten zijn, +You can alternatively disable selling price validation in {} to bypass this validation.,U kunt ook de verkoopprijsvalidatie uitschakelen in {} om deze validatie te omzeilen., +Invalid Selling Price,Ongeldige verkoopprijs, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Adres moet aan een bedrijf zijn gekoppeld. Voeg een rij toe voor Bedrijf in de tabel met links., +Company Not Linked,Bedrijf niet gekoppeld, +Import Chart of Accounts from CSV / Excel files,Rekeningschema importeren vanuit CSV / Excel-bestanden, +Completed Qty cannot be greater than 'Qty to Manufacture',Voltooide hoeveelheid kan niet groter zijn dan 'Te vervaardigen aantal', +"Row {0}: For Supplier {1}, Email Address is Required to send an email",Rij {0}: voor leverancier {1} is het e-mailadres vereist om een e-mail te verzenden, diff --git a/erpnext/translations/no.csv b/erpnext/translations/no.csv index 36acb34b0c..7b9b0ac020 100644 --- a/erpnext/translations/no.csv +++ b/erpnext/translations/no.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge of typ Chargeble,chargeble, Charges are updated in Purchase Receipt against each item,Kostnader er oppdatert i Purchase Mottak mot hvert element, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Kostnader vil bli fordelt forholdsmessig basert på element stk eller beløp, som per ditt valg", -Chart Of Accounts,Konto, Chart of Cost Centers,Plan Kostnadssteder, Check all,Sjekk alt, Checkout,Sjekk ut, @@ -581,7 +580,6 @@ Company {0} does not exist,Selskapet {0} finnes ikke, Compensatory Off,Kompenserende Off, Compensatory leave request days not in valid holidays,Kompensasjonsorlov forespørselsdager ikke i gyldige helligdager, Complaint,Klage, -Completed Qty can not be greater than 'Qty to Manufacture',Fullført Antall kan ikke være større enn "Antall å Manufacture ', Completion Date,Ferdigstillelse Dato, Computer,Datamaskin, Condition,Tilstand, @@ -2033,7 +2031,6 @@ Please select Category first,Vennligst første velg kategori, Please select Charge Type first,Vennligst velg Charge Type først, Please select Company,Vennligst velg selskapet, Please select Company and Designation,Vennligst velg Firma og Betegnelse, -Please select Company and Party Type first,Vennligst velg først selskapet og Party Type, Please select Company and Posting Date to getting entries,Vennligst velg Company og Posting Date for å få oppføringer, Please select Company first,Vennligst velg selskapet først, Please select Completion Date for Completed Asset Maintenance Log,Vennligst velg sluttdato for fullført aktivitetsvedlikeholdslogg, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Navnet på i The name of your company for which you are setting up this system.,Navnet på firmaet som du setter opp dette systemet., The number of shares and the share numbers are inconsistent,Antall aksjer og aksjenumrene er inkonsekvente, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Betalingsgatewaykontoen i plan {0} er forskjellig fra betalingsgatewaykontoen i denne betalingsanmodningen, -The request for quotation can be accessed by clicking on the following link,Anmodningen om sitatet kan nås ved å klikke på følgende link, The selected BOMs are not for the same item,De valgte stykklister er ikke for den samme varen, The selected item cannot have Batch,Den valgte elementet kan ikke ha Batch, The seller and the buyer cannot be the same,Selgeren og kjøperen kan ikke være det samme, @@ -3543,7 +3539,6 @@ Company GSTIN,Firma GSTIN, Company field is required,Firmafelt er påkrevd, Creating Dimensions...,Oppretter dimensjoner ..., Duplicate entry against the item code {0} and manufacturer {1},Dupliser oppføring mot varekoden {0} og produsenten {1}, -Import Chart Of Accounts from CSV / Excel files,Importer oversikt over kontoer fra CSV / Excel-filer, Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Ugyldig GSTIN! Inputene du har skrevet inn samsvarer ikke med GSTIN-formatet for UIN-innehavere eller ikke-bosatte OIDAR-tjenesteleverandører, Invoice Grand Total,Faktura Grand Total, Last carbon check date cannot be a future date,Siste dato for karbonkontroll kan ikke være en fremtidig dato, @@ -3920,7 +3915,6 @@ Plaid authentication error,Autentiseringsfeil i rutet, Plaid public token error,Plaid public token error, Plaid transactions sync error,Feil i synkronisering av rutete transaksjoner, Please check the error log for details about the import errors,Kontroller feilloggen for detaljer om importfeilene, -Please click on the following link to set your new password,Vennligst klikk på følgende link for å sette et nytt passord, Please create DATEV Settings for Company {}.,Opprett DATEV-innstillinger for selskapet {} ., Please create adjustment Journal Entry for amount {0} ,Opprett justeringsjournalregistrering for beløp {0}, Please do not create more than 500 items at a time,Ikke lag mer enn 500 elementer om gangen, @@ -4043,7 +4037,6 @@ Search results for,Søkeresultater for, Select All,Velg Alle, Select Difference Account,Velg Differanse-konto, Select a Default Priority.,Velg en standardprioritet., -Select a Supplier from the Default Supplier List of the items below.,Velg en leverandør fra standardleverandørlisten over elementene nedenfor., Select a company,Velg et selskap, Select finance book for the item {0} at row {1},Velg økonomibok for varen {0} på rad {1}, Select only one Priority as Default.,Velg bare én prioritet som standard., @@ -4247,7 +4240,6 @@ Yes,Ja, Actual ,Faktiske, Add to cart,Legg til i handlevogn, Budget,Budsjett, -Chart Of Accounts Importer,Kontoplan for importør, Chart of Accounts,Kontooversikt, Customer database.,Kunde Database., Days Since Last order,Dager siden siste Bestill, @@ -4939,7 +4931,6 @@ Closing Account Head,Lukke konto Leder, POS Customer Group,POS Kundegruppe, POS Field,POS-felt, POS Item Group,POS Varegruppe, -[Select],[Velg], Company Address,Firma adresse, Update Stock,Oppdater Stock, Ignore Pricing Rule,Ignorer Pricing Rule, @@ -6597,11 +6588,6 @@ Relieving Date,Lindrende Dato, Reason for Leaving,Grunn til å forlate, Leave Encashed?,Permisjon encashed?, Encashment Date,Encashment Dato, -Exit Interview Details,Exit Intervju Detaljer, -Held On,Avholdt, -Reason for Resignation,Grunnen til Resignasjon, -Better Prospects,Bedre utsikter, -Health Concerns,Helse Bekymringer, New Workplace,Nye arbeidsplassen, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Returnert beløp, @@ -8237,9 +8223,6 @@ Landed Cost Help,Landed Cost Hjelp, Manufacturers used in Items,Produsenter som brukes i Items, Limited to 12 characters,Begrenset til 12 tegn, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Sett lager, -Sets 'For Warehouse' in each row of the Items table.,Angir "For lager" i hver rad i varetabellen., -Requested For,Spurt For, Partially Ordered,Delvis bestilt, Transferred,overført, % Ordered,% Bestilt, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Materialforespørsel Lager, Select warehouse for material requests,Velg lager for materialforespørsler, Transfer Materials For Warehouse {0},Overfør materiale til lager {0}, Production Plan Material Request Warehouse,Produksjonsplan Materialforespørsel Lager, -Set From Warehouse,Sett fra lager, -Source Warehouse (Material Transfer),Source Warehouse (Material Transfer), Sets 'Source Warehouse' in each row of the items table.,Angir 'Source Warehouse' i hver rad i varetabellen., Sets 'Target Warehouse' in each row of the items table.,Angir 'Target Warehouse' i hver rad i varetabellen., Show Cancelled Entries,Vis kansellerte oppføringer, @@ -9155,7 +9136,6 @@ Professional Tax,Profesjonell skatt, Is Income Tax Component,Er inntektsskattkomponent, Component properties and references ,Komponentegenskaper og referanser, Additional Salary ,Tilleggslønn, -Condtion and formula,Kondisjon og formel, Unmarked days,Umerkede dager, Absent Days,Fraværende dager, Conditions and Formula variable and example,Betingelser og formelvariabel og eksempel, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Rett ugyldig forespørselsfeil, Please check your Plaid client ID and secret values,Kontroller Plaid-klient-ID og hemmelige verdier, Bank transaction creation error,Feil ved oppretting av banktransaksjoner, Unit of Measurement,Måleenhet, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Rad nr. {}: Salgsfrekvensen for varen {} er lavere enn {}. Salgsfrekvensen bør være minst {}, Fiscal Year {0} Does Not Exist,Regnskapsåret {0} eksisterer ikke, Row # {0}: Returned Item {1} does not exist in {2} {3},Rad nr. {0}: Returnert vare {1} finnes ikke i {2} {3}, Valuation type charges can not be marked as Inclusive,Kostnader for verdsettelse kan ikke merkes som inkluderende, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Angi responst Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Svartiden for {0} prioritet i rad {1} kan ikke være lengre enn oppløsningstid., {0} is not enabled in {1},{0} er ikke aktivert i {1}, Group by Material Request,Gruppere etter materialforespørsel, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Rad {0}: For leverandør {0} kreves e-postadresse for å sende e-post, Email Sent to Supplier {0},E-post sendt til leverandør {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Tilgangen til forespørsel om tilbud fra portalen er deaktivert. For å tillate tilgang, aktiver det i Portal Settings.", Supplier Quotation {0} Created,Tilbud fra leverandør {0} Opprettet, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Total tildelt vekt skal v Account {0} exists in parent company {1}.,Kontoen {0} finnes i morselskapet {1}., "To overrule this, enable '{0}' in company {1}","For å overstyre dette, aktiver "{0}" i firmaet {1}", Invalid condition expression,Ugyldig tilstandsuttrykk, +Please Select a Company First,Velg et selskap først, +Please Select Both Company and Party Type First,Velg både selskap og festtype først, +Provide the invoice portion in percent,Oppgi fakturadelen i prosent, +Give number of days according to prior selection,Oppgi antall dager i henhold til forhåndsvalg, +Email Details,E-postdetaljer, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Velg en hilsen til mottakeren. F.eks Mr., Ms., etc.", +Preview Email,Forhåndsvisning av e-post, +Please select a Supplier,Velg en leverandør, +Supplier Lead Time (days),Leveringstid (dager), +"Home, Work, etc.","Hjem, arbeid osv.", +Exit Interview Held On,Avslutt intervju holdt, +Condition and formula,Tilstand og formel, +Sets 'Target Warehouse' in each row of the Items table.,Angir 'Target Warehouse' i hver rad i Artikeltabellen., +Sets 'Source Warehouse' in each row of the Items table.,Angir 'Source Warehouse' i hver rad i Items-tabellen., +POS Register,POS-register, +"Can not filter based on POS Profile, if grouped by POS Profile","Kan ikke filtrere basert på POS-profil, hvis gruppert etter POS-profil", +"Can not filter based on Customer, if grouped by Customer","Kan ikke filtrere basert på kunde, hvis gruppert etter kunde", +"Can not filter based on Cashier, if grouped by Cashier","Kan ikke filtrere basert på kassereren, hvis gruppert etter kassereren", +Payment Method,Betalingsmetode, +"Can not filter based on Payment Method, if grouped by Payment Method","Kan ikke filtrere basert på betalingsmåte, hvis gruppert etter betalingsmåte", +Supplier Quotation Comparison,Sammenligning av tilbud på leverandører, +Price per Unit (Stock UOM),Pris per enhet (lager UOM), +Group by Supplier,Grupper etter leverandør, +Group by Item,Gruppere etter vare, +Remember to set {field_label}. It is required by {regulation}.,Husk å angi {field_label}. Det kreves av {regulering}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Påmeldingsdato kan ikke være før startdatoen for det akademiske året {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Påmeldingsdato kan ikke være etter sluttdatoen for den akademiske perioden {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Påmeldingsdato kan ikke være før startdatoen for fagperioden {0}, +Posting future transactions are not allowed due to Immutable Ledger,Det er ikke tillatt å legge ut fremtidige transaksjoner på grunn av Immutable Ledger, +Future Posting Not Allowed,Fremtidig innleggelse er ikke tillatt, +"To enable Capital Work in Progress Accounting, ","For å aktivere Capital Work in Progress Accounting,", +you must select Capital Work in Progress Account in accounts table,du må velge Capital Work in Progress-konto i kontotabellen, +You can also set default CWIP account in Company {},Du kan også angi standard CWIP-konto i selskapet {}, +The Request for Quotation can be accessed by clicking on the following button,Forespørsel om tilbud kan nås ved å klikke på følgende knapp, +Regards,Hilsen, +Please click on the following button to set your new password,Klikk på følgende knapp for å angi ditt nye passord, +Update Password,Oppdater passord, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Rad nr. {}: Salgsfrekvensen for varen {} er lavere enn {}. Selge {} skal være minst {}, +You can alternatively disable selling price validation in {} to bypass this validation.,Du kan alternativt deaktivere validering av salgspris i {} for å omgå denne valideringen., +Invalid Selling Price,Ugyldig salgspris, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Adressen må være knyttet til et selskap. Legg til en rad for selskapet i koblingstabellen., +Company Not Linked,Firma ikke tilknyttet, +Import Chart of Accounts from CSV / Excel files,Importer kontoplan fra CSV / Excel-filer, +Completed Qty cannot be greater than 'Qty to Manufacture',Fullført antall kan ikke være større enn 'Antall å produsere', +"Row {0}: For Supplier {1}, Email Address is Required to send an email",Rad {0}: For leverandør {1} kreves e-postadresse for å sende en e-post, diff --git a/erpnext/translations/pl.csv b/erpnext/translations/pl.csv index df54b096af..1f492e5719 100644 --- a/erpnext/translations/pl.csv +++ b/erpnext/translations/pl.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,, Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,Opłaty są aktualizowane w ZAKUPU każdej pozycji, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Koszty zostaną rozdzielone proporcjonalnie na podstawie Ilość pozycji lub kwoty, jak na swój wybór", -Chart Of Accounts,Plan kont, Chart of Cost Centers,Struktura kosztów (MPK), Check all,Zaznacz wszystkie, Checkout,Sprawdzić, @@ -581,7 +580,6 @@ Company {0} does not exist,Firma {0} nie istnieje, Compensatory Off,, Compensatory leave request days not in valid holidays,Dni urlopu wyrównawczego nie zawierają się w zakresie prawidłowych dniach świątecznych, Complaint,Skarga, -Completed Qty can not be greater than 'Qty to Manufacture',"Zakończono Ilość nie może być większa niż ""Ilość w produkcji""", Completion Date,Data ukończenia, Computer,Komputer, Condition,Stan, @@ -2033,7 +2031,6 @@ Please select Category first,Proszę najpierw wybrać kategorię, Please select Charge Type first,Najpierw wybierz typ opłaty, Please select Company,Proszę wybrać firmę, Please select Company and Designation,Wybierz firmę i oznaczenie, -Please select Company and Party Type first,"Najpierw wybierz typ firmy, a Party", Please select Company and Posting Date to getting entries,"Wybierz Firmę i Data księgowania, aby uzyskać wpisy", Please select Company first,Najpierw wybierz firmę, Please select Completion Date for Completed Asset Maintenance Log,Proszę wybrać opcję Data zakończenia dla ukończonego dziennika konserwacji zasobów, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,"Nazwa insty The name of your company for which you are setting up this system.,Nazwa firmy / organizacji dla której uruchamiasz niniejszy system., The number of shares and the share numbers are inconsistent,Liczba akcji i liczby akcji są niespójne, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Rachunek bramy płatniczej w planie {0} różni się od konta bramy płatności w tym żądaniu płatności, -The request for quotation can be accessed by clicking on the following link,Wniosek o cytat można uzyskać klikając na poniższy link, The selected BOMs are not for the same item,Wybrane LM nie są na tej samej pozycji, The selected item cannot have Batch,Wybrany element nie może mieć Batch, The seller and the buyer cannot be the same,Sprzedawca i kupujący nie mogą być tacy sami, @@ -3543,7 +3539,6 @@ Company GSTIN,Firma GSTIN, Company field is required,Wymagane jest pole firmowe, Creating Dimensions...,Tworzenie wymiarów ..., Duplicate entry against the item code {0} and manufacturer {1},Zduplikowany wpis względem kodu produktu {0} i producenta {1}, -Import Chart Of Accounts from CSV / Excel files,Importuj wykresy kont z plików CSV / Excel, 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, Invoice Grand Total,Faktura Grand Total, Last carbon check date cannot be a future date,Data ostatniej kontroli emisji nie może być datą przyszłą, @@ -3920,7 +3915,6 @@ Plaid authentication error,Błąd uwierzytelniania w kratkę, Plaid public token error,Błąd publicznego znacznika w kratkę, Plaid transactions sync error,Błąd synchronizacji transakcji Plaid, Please check the error log for details about the import errors,"Sprawdź dziennik błędów, aby uzyskać szczegółowe informacje na temat błędów importu", -Please click on the following link to set your new password,"Proszę kliknąć na poniższy link, aby ustawić nowe hasło", Please create DATEV Settings for Company {}.,Utwórz ustawienia DATEV dla firmy {} ., Please create adjustment Journal Entry for amount {0} ,Utwórz korektę Zapis księgowy dla kwoty {0}, Please do not create more than 500 items at a time,Nie twórz więcej niż 500 pozycji naraz, @@ -4043,7 +4037,6 @@ Search results for,Wyniki wyszukiwania dla, Select All,Wybierz wszystko, Select Difference Account,Wybierz konto różnicy, Select a Default Priority.,Wybierz domyślny priorytet., -Select a Supplier from the Default Supplier List of the items below.,Wybierz dostawcę z domyślnej listy dostawców poniżej., Select a company,Wybierz firmę, Select finance book for the item {0} at row {1},Wybierz księgę finansową dla pozycji {0} w wierszu {1}, Select only one Priority as Default.,Wybierz tylko jeden priorytet jako domyślny., @@ -4247,7 +4240,6 @@ Yes,tak, Actual ,Właściwy, Add to cart,Dodaj do koszyka, Budget,Budżet, -Chart Of Accounts Importer,Importer wykresów kont, Chart of Accounts,Plan kont, Customer database.,Baza danych klientów., Days Since Last order,Dni od ostatniego zamówienia, @@ -4939,7 +4931,6 @@ Closing Account Head,, POS Customer Group,POS Grupa klientów, POS Field,Pole POS, POS Item Group,POS Pozycja Grupy, -[Select],[Wybierz], Company Address,adres spółki, Update Stock,Aktualizuj Stan, Ignore Pricing Rule,Ignoruj zasadę ustalania cen, @@ -6597,11 +6588,6 @@ Relieving Date,Data zwolnienia, Reason for Leaving,Powód odejścia, Leave Encashed?,"Jesteś pewien, że chcesz wyjść z Wykupinych?", Encashment Date,Data Inkaso, -Exit Interview Details,Wyjdź z szczegółów wywiadu, -Held On,W dniach, -Reason for Resignation,Powód rezygnacji, -Better Prospects,Lepiej rokujący możliwi Klienci, -Health Concerns,Problemy Zdrowotne, New Workplace,Nowe Miejsce Pracy, HR-EAD-.YYYY.-,HR-EAD-.RRRR.-, Returned Amount,Zwrócona kwota, @@ -8237,9 +8223,6 @@ Landed Cost Help,Ugruntowany Koszt Pomocy, Manufacturers used in Items,Producenci używane w pozycji, Limited to 12 characters,Ograniczona do 12 znaków, MAT-MR-.YYYY.-,MAT-MR-.RRRR.-, -Set Warehouse,Ustaw magazyn, -Sets 'For Warehouse' in each row of the Items table.,Ustawia „Dla magazynu” w każdym wierszu tabeli Towary., -Requested For,Prośba o, Partially Ordered,Częściowo zamówione, Transferred,Przeniesiony, % Ordered,% Zamówione, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Magazyn żądań materiałowych, Select warehouse for material requests,Wybierz magazyn dla zapytań materiałowych, Transfer Materials For Warehouse {0},Przenieś materiały do magazynu {0}, Production Plan Material Request Warehouse,Plan produkcji Magazyn żądań materiałowych, -Set From Warehouse,Ustaw z magazynu, -Source Warehouse (Material Transfer),Magazyn źródłowy (transfer materiałów), Sets 'Source Warehouse' in each row of the items table.,Ustawia „Magazyn źródłowy” w każdym wierszu tabeli towarów., Sets 'Target Warehouse' in each row of the items table.,Ustawia „Magazyn docelowy” w każdym wierszu tabeli towarów., Show Cancelled Entries,Pokaż anulowane wpisy, @@ -9155,7 +9136,6 @@ Professional Tax,Podatek zawodowy, Is Income Tax Component,Składnik podatku dochodowego, Component properties and references ,Właściwości i odniesienia komponentów, Additional Salary ,Dodatkowe wynagrodzenie, -Condtion and formula,Warunek i formuła, Unmarked days,Nieoznakowane dni, Absent Days,Nieobecne dni, Conditions and Formula variable and example,Warunki i zmienna formuły oraz przykład, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Błąd żądania nieprawidłowego kratki, Please check your Plaid client ID and secret values,Sprawdź identyfikator klienta Plaid i tajne wartości, Bank transaction creation error,Błąd tworzenia transakcji bankowej, Unit of Measurement,Jednostka miary, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Wiersz nr {}: współczynnik sprzedaży dla przedmiotu {} jest niższy niż jego {}. Wskaźnik sprzedaży powinien wynosić co najmniej {}, Fiscal Year {0} Does Not Exist,Rok podatkowy {0} nie istnieje, Row # {0}: Returned Item {1} does not exist in {2} {3},Wiersz nr {0}: zwrócona pozycja {1} nie istnieje w {2} {3}, Valuation type charges can not be marked as Inclusive,Opłaty związane z rodzajem wyceny nie mogą być oznaczone jako zawierające, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Ustaw czas od Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Czas odpowiedzi dla {0} priorytetu w wierszu {1} nie może być dłuższy niż czas rozwiązania., {0} is not enabled in {1},{0} nie jest włączony w {1}, Group by Material Request,Grupuj według żądania materiału, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Wiersz {0}: W przypadku dostawcy {0} do wysłania wiadomości e-mail wymagany jest adres e-mail, Email Sent to Supplier {0},Wiadomość e-mail wysłana do dostawcy {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Dostęp do zapytania ofertowego z portalu jest wyłączony. Aby zezwolić na dostęp, włącz go w ustawieniach portalu.", Supplier Quotation {0} Created,Oferta dostawcy {0} została utworzona, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Łączna przypisana waga p Account {0} exists in parent company {1}.,Konto {0} istnieje w firmie macierzystej {1}., "To overrule this, enable '{0}' in company {1}","Aby to zmienić, włącz „{0}” w firmie {1}", Invalid condition expression,Nieprawidłowe wyrażenie warunku, +Please Select a Company First,Najpierw wybierz firmę, +Please Select Both Company and Party Type First,Najpierw wybierz firmę i typ strony, +Provide the invoice portion in percent,Podaj część faktury w procentach, +Give number of days according to prior selection,Podaj liczbę dni według wcześniejszego wyboru, +Email Details,Szczegóły wiadomości e-mail, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Wybierz powitanie dla odbiorcy. Np. Pan, Pani itp.", +Preview Email,Podgląd wiadomości e-mail, +Please select a Supplier,Wybierz dostawcę, +Supplier Lead Time (days),Czas oczekiwania dostawcy (dni), +"Home, Work, etc.","Dom, praca itp.", +Exit Interview Held On,Zakończ rozmowę kwalifikacyjną wstrzymaną, +Condition and formula,Stan i formuła, +Sets 'Target Warehouse' in each row of the Items table.,Ustawia „Magazyn docelowy” w każdym wierszu tabeli Towary., +Sets 'Source Warehouse' in each row of the Items table.,Ustawia „Magazyn źródłowy” w każdym wierszu tabeli Towary., +POS Register,Rejestr POS, +"Can not filter based on POS Profile, if grouped by POS Profile","Nie można filtrować na podstawie profilu POS, jeśli są pogrupowane według profilu POS", +"Can not filter based on Customer, if grouped by Customer","Nie można filtrować na podstawie klienta, jeśli jest pogrupowany według klienta", +"Can not filter based on Cashier, if grouped by Cashier","Nie można filtrować na podstawie Kasjera, jeśli jest pogrupowane według Kasjera", +Payment Method,Metoda płatności, +"Can not filter based on Payment Method, if grouped by Payment Method","Nie można filtrować na podstawie metody płatności, jeśli są pogrupowane według metody płatności", +Supplier Quotation Comparison,Porównanie ofert dostawców, +Price per Unit (Stock UOM),Cena za jednostkę (JM z magazynu), +Group by Supplier,Grupuj według dostawcy, +Group by Item,Grupuj według pozycji, +Remember to set {field_label}. It is required by {regulation}.,"Pamiętaj, aby ustawić {field_label}. Jest to wymagane przez {przepis}.", +Enrollment Date cannot be before the Start Date of the Academic Year {0},Data rejestracji nie może być wcześniejsza niż data rozpoczęcia roku akademickiego {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Data rejestracji nie może być późniejsza niż data zakończenia okresu akademickiego {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Data rejestracji nie może być wcześniejsza niż data rozpoczęcia semestru akademickiego {0}, +Posting future transactions are not allowed due to Immutable Ledger,Księgowanie przyszłych transakcji jest niedozwolone z powodu niezmiennej księgi, +Future Posting Not Allowed,Niedozwolone publikowanie w przyszłości, +"To enable Capital Work in Progress Accounting, ","Aby włączyć księgowość produkcji w toku,", +you must select Capital Work in Progress Account in accounts table,w tabeli kont należy wybrać Rachunek kapitałowy w toku, +You can also set default CWIP account in Company {},Możesz także ustawić domyślne konto CWIP w firmie {}, +The Request for Quotation can be accessed by clicking on the following button,"Dostęp do zapytania ofertowego można uzyskać, klikając poniższy przycisk", +Regards,pozdrowienia, +Please click on the following button to set your new password,"Kliknij poniższy przycisk, aby ustawić nowe hasło", +Update Password,Aktualizować hasło, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Wiersz nr {}: współczynnik sprzedaży dla przedmiotu {} jest niższy niż jego {}. Sprzedawanie {} powinno wynosić co najmniej {}, +You can alternatively disable selling price validation in {} to bypass this validation.,"Alternatywnie możesz wyłączyć weryfikację ceny sprzedaży w {}, aby ominąć tę weryfikację.", +Invalid Selling Price,Nieprawidłowa cena sprzedaży, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Adres musi być powiązany z firmą. Dodaj wiersz Firma w tabeli Łącza., +Company Not Linked,Firma niepowiązana, +Import Chart of Accounts from CSV / Excel files,Importuj plan kont z plików CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',Ukończona ilość nie może być większa niż „Ilość do wyprodukowania”, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",Wiersz {0}: W przypadku dostawcy {1} do wysłania wiadomości e-mail wymagany jest adres e-mail, diff --git a/erpnext/translations/ps.csv b/erpnext/translations/ps.csv index 011eef8f86..4d57f87530 100644 --- a/erpnext/translations/ps.csv +++ b/erpnext/translations/ps.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,د ډول  Chargeble,د چارج وړ, Charges are updated in Purchase Receipt against each item,په تور د هري برخي په وړاندې په رانيول رسيد تازه دي, "Charges will be distributed proportionately based on item qty or amount, as per your selection",په تور به د خپرولو په متناسب ډول پر توکی qty يا اندازه وي، ستاسو د انتخاب په هر توګه, -Chart Of Accounts,د حسابونو چارټ, Chart of Cost Centers,د لګښت د مرکزونو چارت, Check all,ټول وګوره, Checkout,بشپړ ی وګوره, @@ -581,7 +580,6 @@ Company {0} does not exist,شرکت {0} نه شته, Compensatory Off,د معاوضې پړاو, Compensatory leave request days not in valid holidays,د معاوضې غوښتنې غوښتنه غوښتنه د اعتبار وړ رخصتیو کې نه دي, Complaint,شکایت, -Completed Qty can not be greater than 'Qty to Manufacture',بشپړ Qty نه شي کولای په پرتله 'Qty تولید' وي, Completion Date,د بشپړیدلو نیټه, Computer,کمپيوټر, Condition,حالت, @@ -2033,7 +2031,6 @@ Please select Category first,مهرباني وکړئ لومړی ټولۍ وټا Please select Charge Type first,مهرباني وکړئ لومړی د ټاکلو مسؤوليت په ډول, Please select Company,مهرباني وکړئ د شرکت وټاکئ, Please select Company and Designation,مهرباني وکړئ د شرکت او اعلامیه غوره کړئ, -Please select Company and Party Type first,لطفا د شرکت او د ګوند ډول لومړی انتخاب, Please select Company and Posting Date to getting entries,مهرباني وکړئ د شرکتونو او لیکنو نیټه وټاکئ تر څو ثبتات ترلاسه کړي, Please select Company first,مهرباني غوره شرکت لومړۍ, Please select Completion Date for Completed Asset Maintenance Log,مهرباني وکړئ د بشپړې شتمنیو د ساتنې لپاره د بشپړې نیټې ټاکنه, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,د انست The name of your company for which you are setting up this system.,د خپل شرکت نوم د کوم لپاره چې تاسو دا سيستم د جوړولو., The number of shares and the share numbers are inconsistent,د ونډې شمېره او د شمېره شمېره متناقض دي, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,د پیسو ورکړه د پالن په حساب کې {0} د تادياتو دروازې حساب څخه توپیر دی چې د دې تادیه غوښتنه کې, -The request for quotation can be accessed by clicking on the following link,د مادیاتو په غوښتنه په کېکاږلو سره په لاندې لینک رسی شي, The selected BOMs are not for the same item,د ټاکل شوي BOMs د همدغه توکي نه دي, The selected item cannot have Batch,د ټاکل شوي توکي نه شي کولای دسته لري, The seller and the buyer cannot be the same,پلورونکي او پیرودونکی ورته نشي, @@ -3543,7 +3539,6 @@ Company GSTIN,شرکت GSTIN, Company field is required,د شرکت ساحه اړینه ده, Creating Dimensions...,ابعاد پیدا کول ..., Duplicate entry against the item code {0} and manufacturer {1},د توکي کوډ {0} او جوړونکي {1 against په مقابل کې دوه ځله ننوتل, -Import Chart Of Accounts from CSV / Excel files,د CSV / اکسیل فایلونو څخه د حسابونو چارټ وارد کړئ, 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 ب formatه سره مطابقت نلري, Invoice Grand Total,انوائس عالي مجموعه, Last carbon check date cannot be a future date,د کاربن چیک وروستي نیټه راتلونکي نیټه نشي کیدی, @@ -3920,7 +3915,6 @@ Plaid authentication error,د پلیډ تصدیق کولو تېروتنه, Plaid public token error,د عامه نښه نښه, Plaid transactions sync error,د پلیډ لیږد سیستم تېروتنه, Please check the error log for details about the import errors,مهرباني وکړئ د وارداتو غلطیو په اړه توضیحاتو لپاره د تیروتنې یادښت وګورئ, -Please click on the following link to set your new password,لطفا د خپل نوي شفر وټاکه په لاندې لینک کلیک, Please create DATEV Settings for Company {}.,مهرباني وکړئ د شرکت DATEV امستنې {رامنځته}., Please create adjustment Journal Entry for amount {0} ,مهرباني وکړئ د {0 amount مقدار لپاره د سمون ژورنال ننوتنه جوړه کړئ, Please do not create more than 500 items at a time,مهرباني وکړئ په یوځل کې له 500 څخه ډیر توکي مه جوړوئ, @@ -4043,7 +4037,6 @@ Search results for,د پلټنې پايلې, Select All,ټول وټاکئ, Select Difference Account,د توپیر حساب غوره کړئ, Select a Default Priority.,اصلي لومړیتوب غوره کړئ., -Select a Supplier from the Default Supplier List of the items below.,د لاندې شیانو د ډیفالټ چمتو کونکي لیست څخه چمتو کونکي غوره کړئ., Select a company,یو شرکت غوره کړئ, Select finance book for the item {0} at row {1},د توکي {0 row لپاره په قطار کې {1} لپاره مالي کتاب غوره کړئ, Select only one Priority as Default.,د لومړني په توګه یوازې یو لومړیتوب غوره کړئ., @@ -4247,7 +4240,6 @@ Yes,هو, Actual ,واقعي, Add to cart,کارټ ته یی اضافه کړه, Budget,د بودجې د, -Chart Of Accounts Importer,د حسابونو واردولو چارت, Chart of Accounts,د حسابونو چارټ, Customer database.,د پیرود ډاټا., Days Since Last order,ورځو راهیسې تېر نظم, @@ -4939,7 +4931,6 @@ Closing Account Head,حساب مشر تړل, POS Customer Group,POS پيرودونکو ګروپ, POS Field,د پوز ډګر, POS Item Group,POS د قالب ګروپ, -[Select],[انتخاب], Company Address,شرکت پته, Update Stock,تازه دحمل, Ignore Pricing Rule,د بیې د حاکمیت له پامه, @@ -6597,11 +6588,6 @@ Relieving Date,کرارولو نېټه, Reason for Leaving,د پرېښودو لامل, Leave Encashed?,ووځي Encashed؟, Encashment Date,د ورکړې نېټه, -Exit Interview Details,د وتلو سره مرکه په بشپړه توګه کتل, -Held On,جوړه, -Reason for Resignation,د استعفا دليل, -Better Prospects,ته ښه زمينه, -Health Concerns,روغتیا اندیښنې, New Workplace,نوی کارځای, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,بیرته ورکړل شوې اندازه, @@ -8237,9 +8223,6 @@ Landed Cost Help,تيرماښام لګښت مرسته, Manufacturers used in Items,جوړونکو په توکي کارول, Limited to 12 characters,محدود تر 12 تورو, MAT-MR-.YYYY.-,MAT-MR -YYYY-, -Set Warehouse,ګودام تنظیم کړئ, -Sets 'For Warehouse' in each row of the Items table.,د توکو جدول هر قطار کې د 'ګودام لپاره' ټاکي., -Requested For,غوښتنه د, Partially Ordered,تر یوې اندازې حکم شوی, Transferred,سپارل, % Ordered,٪ د سپارښتنې, @@ -8688,8 +8671,6 @@ Material Request Warehouse,د موادو غوښتنه ګودام, Select warehouse for material requests,د موادو غوښتنو لپاره ګودام غوره کړئ, Transfer Materials For Warehouse {0},د ګودام For 0 For لپاره توکي انتقال کړئ, Production Plan Material Request Warehouse,د تولید پلان موادو موادو غوښتنه ګودام, -Set From Warehouse,د ګودام څخه تنظیم کړئ, -Source Warehouse (Material Transfer),د سرچینې ګودام (د موادو لیږد), Sets 'Source Warehouse' in each row of the items table.,د توکو جدول هر قطار کې 'سرچینه ګودام' وټاکئ., Sets 'Target Warehouse' in each row of the items table.,د توکو جدول هر قطار کې 'هدف ګودام' وټاکئ., Show Cancelled Entries,لغوه شوې ننوتنې ښودل, @@ -9155,7 +9136,6 @@ Professional Tax,مسلکي مالیه, Is Income Tax Component,د عایداتو مالیې برخه ده, Component properties and references ,د برخې ملکیتونه او سرچینې, Additional Salary ,اضافي معاش, -Condtion and formula,وضعیت او فورمول, Unmarked days,نخښه شوي ورځې, Absent Days,غیر حاضر ورځې, Conditions and Formula variable and example,شرایط او فورمول متغیر او مثال, @@ -9442,7 +9422,6 @@ Plaid invalid request error,د غوښتنې ناسمه تېروتنه, Please check your Plaid client ID and secret values,مهرباني وکړئ خپل د پلیډ مؤکل ID او پټ ارزښتونه وګورئ, Bank transaction creation error,د بانک د لیږد تیروتنه, Unit of Measurement,د اندازه کولو واحد, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},قطار # {}: د توکي {for لپاره د پلور نرخ د هغې {} څخه ټیټ دی. د پلور نرخ باید لږترلږه {be, Fiscal Year {0} Does Not Exist,مالي کال {0} شتون نلري, Row # {0}: Returned Item {1} does not exist in {2} {3},قطار # {0}: بیرته راغلی توکی {1} په {2} {3 in کې شتون نلري, Valuation type charges can not be marked as Inclusive,د ارزښت ډول چارجونه د ټول شموله په توګه نښه نشي کیدی, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,د ځواب T Response Time for {0} priority in row {1} can't be greater than Resolution Time.,په قطار کې {1} لومړیتوب لپاره د ځواب وخت د حل وخت څخه لوی نشي کیدی., {0} is not enabled in {1},{0} په {1} کې ندی فعال شوی, Group by Material Request,ډله د موادو په غوښتنه, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",قطار {0}: د چمتو کونکي لپاره {0} ، د بریښنالیک لیږلو لپاره د بریښنالیک آدرس اړین دی, Email Sent to Supplier {0},عرضه کونکي ته بریښنالیک ولیږل شو {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",له پورټل څخه د غوښتنې غوښتنې ته لاسرسی نافعال شوی دی. د لاسرسي اجازه ورکولو لپاره ، دا په پورټال تنظیماتو کې فعال کړئ., Supplier Quotation {0} Created,د چمتو کونکي نرخ {0} جوړ شو, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},ټاکل شوی ټول و Account {0} exists in parent company {1}.,اکاونټ {0 parent په اصلي شرکت {1} کې شتون لري., "To overrule this, enable '{0}' in company {1}",د دې په نښه کولو لپاره ، په {1 company شرکت کې '{0}' وړ کړئ, Invalid condition expression,د غلط حالت څرګندونه, +Please Select a Company First,مهرباني وکړئ لومړی یو شرکت غوره کړئ, +Please Select Both Company and Party Type First,مهرباني وکړئ لومړی د شرکت او ګوند دواړه ډول غوره کړئ, +Provide the invoice portion in percent,د انوائس برخه په سلنه کې چمتو کړئ, +Give number of days according to prior selection,د مخکیني انتخاب مطابق د ورځو شمیره ورکړئ, +Email Details,د بریښنالیک توضیحات, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.",د ترلاسه کونکي لپاره سلام کول غوره کړئ. د مثال په توګه ښاغلي ، اغلې ، وغيره., +Preview Email,د مخکتنې بریښنالیک, +Please select a Supplier,مهرباني وکړئ یو عرضه کونکی غوره کړئ, +Supplier Lead Time (days),د چمتو کونکي رهبري وخت (ورځې), +"Home, Work, etc.",کور ، کار او نور., +Exit Interview Held On,د وتلو مرکه ترسره شوه, +Condition and formula,حالت او فورمول, +Sets 'Target Warehouse' in each row of the Items table.,د توضیحاتو جدول په هر قطار کې 'هدف ګودام' وټاکئ., +Sets 'Source Warehouse' in each row of the Items table.,د توکو جدول هر قطار کې 'سرچینه ګودام' وټاکئ., +POS Register,د پوسټ راجستر, +"Can not filter based on POS Profile, if grouped by POS Profile",فلټ نشي کولی د POS پروفایل پراساس ، که د POS پروفایل لخوا ګروپ شوی وي, +"Can not filter based on Customer, if grouped by Customer",فلټ نشي کولی د پیرودونکي پراساس ، که د پیرودونکي لخوا ګروپ شوی وي, +"Can not filter based on Cashier, if grouped by Cashier",د کاشیر پر اساس فلټر نشي کولی ، که د کاشیر لخوا ډله وی, +Payment Method,د تادیه کولو طریقه, +"Can not filter based on Payment Method, if grouped by Payment Method",د تادیې میتود پراساس فلټر نشي کولی ، که د تادیې میتود لخوا ګروپ شوی وي, +Supplier Quotation Comparison,د چمتو کونکي نرخ پرتله, +Price per Unit (Stock UOM),د هر واحد قیمت (سټاک UOM), +Group by Supplier,ډله د چمتو کونکي لخوا, +Group by Item,ډله د توکي په واسطه, +Remember to set {field_label}. It is required by {regulation}.,د {Field_label set ټاکلو یاد وساته. دا د {مقرراتو by لخوا اړین دی., +Enrollment Date cannot be before the Start Date of the Academic Year {0},د شمولیت نیټه د اکاډمیک کال Date 0} د پیل نیټې څخه مخکې نشي کیدی, +Enrollment Date cannot be after the End Date of the Academic Term {0},د نوم لیکنې نیټه د اکاډمیکې مودې پای Date 0 after وروسته نشي کیدی, +Enrollment Date cannot be before the Start Date of the Academic Term {0},د شاملیدو نیټه د اکاډمیک دورې د پیل نیټې څخه مخکې نشي کیدی {0}, +Posting future transactions are not allowed due to Immutable Ledger,د راتلونکی لیږدونو پوسټ کول د غیر عاجل لیجر له امله اجازه نلري, +Future Posting Not Allowed,راتلونکي پوسټ کولو ته اجازه نشته, +"To enable Capital Work in Progress Accounting, ",د پرمختګ محاسبې کې د سرمایه کار وړولو لپاره ،, +you must select Capital Work in Progress Account in accounts table,تاسو باید د حسابونو جدول کې د پرمختګ حساب کې سرمایه کاري انتخاب وټاکئ, +You can also set default CWIP account in Company {},تاسو کولی شئ په کمپنۍ default in کې CWIP ډیفالټ حساب هم تنظیم کړئ, +The Request for Quotation can be accessed by clicking on the following button,د نرخ اخیستنې غوښتنه په لاندې ت buttonۍ کلیک کولو سره لاسرسی کیدی شي, +Regards,درناوی, +Please click on the following button to set your new password,مهرباني وکړئ په لاندې ت buttonۍ کلیک وکړئ ترڅو خپل نوی رمز تنظیم کړئ, +Update Password,اوسمهال شوی رمز, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},قطار # {}: د توکي {for لپاره د پلور نرخ د هغې {} څخه ټیټ دی. د {lling پلور باید لږترلږه وي {, +You can alternatively disable selling price validation in {} to bypass this validation.,تاسو کولی شئ په متبادل ډول د دې اعتبار بای پاس کولو لپاره په {in کې د پلور نرخ تایید غیر فعال کړئ., +Invalid Selling Price,د پلور ناقانونه بیه, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,پته اړتیا لري چې له یوه شرکت سره وصل شي. مهرباني وکړئ د لینکونو جدول کې د شرکت لپاره قطار اضافه کړئ., +Company Not Linked,شرکت نه تړل شوی, +Import Chart of Accounts from CSV / Excel files,د CSV / اکسیل فایلونو څخه د حسابونو چارټ وارد کړئ, +Completed Qty cannot be greater than 'Qty to Manufacture',بشپړ شوی مقدار د 'مقدار جوړولو لپاره' څخه لوی کیدی نشي, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",قطار {0}: د چمتو کونکي {1} لپاره ، د بریښنالیک لیږلو لپاره د بریښنالیک آدرس اړین دی, diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv index e1dd9f00b9..00c7f70258 100644 --- a/erpnext/translations/pt.csv +++ b/erpnext/translations/pt.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,"A cobrança Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,Os custos de cada item são atualizados no Recibo de Compra, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Os custos serão distribuídos proporcionalmente com base na qtd ou montante, conforme tiver selecionado", -Chart Of Accounts,Plano de Contas, Chart of Cost Centers,Gráfico de Centros de Custo, Check all,Verificar tudo, Checkout,Check-out, @@ -581,7 +580,6 @@ Company {0} does not exist,A Empresa {0} não existe, Compensatory Off,Descanso de Compensação, Compensatory leave request days not in valid holidays,Dias de solicitação de licença compensatória não em feriados válidos, Complaint,Queixa, -Completed Qty can not be greater than 'Qty to Manufacture',"A Qtd Concluída não pode ser superior à ""Qtd de Fabrico""", Completion Date,Data de conclusão, Computer,Computador, Condition,Condição, @@ -2033,7 +2031,6 @@ Please select Category first,"Por favor, selecione primeiro a Categoria", Please select Charge Type first,"Por favor, selecione primeiro o Tipo de Cobrança", Please select Company,"Por favor, selecione a Empresa", Please select Company and Designation,Por favor selecione Empresa e Designação, -Please select Company and Party Type first,"Por favor, selecione primeiro a Empresa e o Tipo de Parte", Please select Company and Posting Date to getting entries,"Por favor, selecione Empresa e Data de Lançamento para obter as inscrições", Please select Company first,"Por favor, selecione primeiro a Empresa", Please select Completion Date for Completed Asset Maintenance Log,Selecione a Data de conclusão do registro de manutenção de ativos concluídos, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,O nome do in The name of your company for which you are setting up this system.,O nome da empresa para a qual está a configurar este sistema., The number of shares and the share numbers are inconsistent,O número de ações e os números de compartilhamento são inconsistentes, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,A conta do gateway de pagamento no plano {0} é diferente da conta do gateway de pagamento nesta solicitação de pagamento, -The request for quotation can be accessed by clicking on the following link,Pode aceder à solicitação de cotação ao clicar no link a seguir, The selected BOMs are not for the same item,As listas de materiais selecionadas não são para o mesmo item, The selected item cannot have Batch,O item selecionado não pode ter um Lote, The seller and the buyer cannot be the same,O vendedor e o comprador não podem ser os mesmos, @@ -3543,7 +3539,6 @@ Company GSTIN,Empresa GSTIN, Company field is required,Campo da empresa é obrigatório, Creating Dimensions...,Criando Dimensões ..., Duplicate entry against the item code {0} and manufacturer {1},Entrada duplicada no código do item {0} e no fabricante {1}, -Import Chart Of Accounts from CSV / Excel files,Importar gráfico de contas de arquivos CSV / Excel, 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, Invoice Grand Total,Total geral da fatura, Last carbon check date cannot be a future date,A última data de verificação de carbono não pode ser uma data futura, @@ -3920,7 +3915,6 @@ Plaid authentication error,Erro de autenticação da manta, Plaid public token error,Erro de token público de xadrez, Plaid transactions sync error,Erro de sincronização de transações de xadrez, Please check the error log for details about the import errors,"Por favor, verifique o log de erros para detalhes sobre os erros de importação.", -Please click on the following link to set your new password,"Por favor, clique no link a seguir para definir a sua nova senha", Please create DATEV Settings for Company {}.,Crie configurações de DATEV para a empresa {} ., Please create adjustment Journal Entry for amount {0} ,Crie um lançamento contábil manual para o valor {0}, Please do not create more than 500 items at a time,"Por favor, não crie mais de 500 itens de cada vez", @@ -4043,7 +4037,6 @@ Search results for,Buscar resultados para, Select All,Selecionar tudo, Select Difference Account,Selecione uma conta de diferença, Select a Default Priority.,Selecione uma prioridade padrão., -Select a Supplier from the Default Supplier List of the items below.,Selecione um fornecedor na lista de fornecedores padrão dos itens abaixo., Select a company,Selecione uma empresa, Select finance book for the item {0} at row {1},Selecione o livro de finanças para o item {0} na linha {1}, Select only one Priority as Default.,Selecione apenas uma prioridade como padrão., @@ -4247,7 +4240,6 @@ Yes,sim, Actual ,Atual, Add to cart,Adicionar ao carrinho, Budget,Orçamento, -Chart Of Accounts Importer,Importador de gráfico de contas, Chart of Accounts,Gráfico de contas, Customer database.,Banco de dados do cliente., Days Since Last order,Dias Desde a última Ordem, @@ -4939,7 +4931,6 @@ Closing Account Head,A Fechar Título de Contas, POS Customer Group,Grupo de Cliente POS, POS Field,Campo POS, POS Item Group,Grupo de Itens POS, -[Select],[Selecionar], Company Address,Endereço da companhia, Update Stock,Actualizar Stock, Ignore Pricing Rule,Ignorar Regra de Fixação de Preços, @@ -6597,11 +6588,6 @@ Relieving Date,Data de Dispensa, Reason for Leaving,Motivo de Saída, Leave Encashed?,Sair de Pagos?, Encashment Date,Data de Pagamento, -Exit Interview Details,Sair de Dados da Entrevista, -Held On,Realizado Em, -Reason for Resignation,Motivo de Demissão, -Better Prospects,Melhores Perspetivas, -Health Concerns,Problemas Médicos, New Workplace,Novo Local de Trabalho, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Valor devolvido, @@ -8237,9 +8223,6 @@ Landed Cost Help,Ajuda do Custo de Entrega, Manufacturers used in Items,Fabricantes utilizados nos Itens, Limited to 12 characters,Limitado a 12 caracteres, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Definir Armazém, -Sets 'For Warehouse' in each row of the Items table.,Define 'For Warehouse' em cada linha da tabela de itens., -Requested For,Solicitado Para, Partially Ordered,Parcialmente ordenado, Transferred,Transferido, % Ordered,% Pedida, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Armazém de solicitação de material, Select warehouse for material requests,Selecione o armazém para pedidos de material, Transfer Materials For Warehouse {0},Transferir materiais para armazém {0}, Production Plan Material Request Warehouse,Armazém de solicitação de material do plano de produção, -Set From Warehouse,Conjunto do armazém, -Source Warehouse (Material Transfer),Armazém de origem (transferência de material), Sets 'Source Warehouse' in each row of the items table.,Define 'Source Warehouse' em cada linha da tabela de itens., Sets 'Target Warehouse' in each row of the items table.,Define 'Armazém de destino' em cada linha da tabela de itens., Show Cancelled Entries,Mostrar entradas canceladas, @@ -9155,7 +9136,6 @@ Professional Tax,Imposto Profissional, Is Income Tax Component,É componente de imposto de renda, Component properties and references ,Propriedades e referências do componente, Additional Salary ,Salário Adicional, -Condtion and formula,Condição e fórmula, Unmarked days,Dias não marcados, Absent Days,Dias ausentes, Conditions and Formula variable and example,Condições e variável de fórmula e exemplo, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Erro de solicitação inválida de xadrez, Please check your Plaid client ID and secret values,Verifique o seu ID de cliente Plaid e os valores secretos, Bank transaction creation error,Erro de criação de transação bancária, Unit of Measurement,Unidade de medida, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Linha nº {}: A taxa de venda do item {} é menor do que {}. A taxa de venda deve ser pelo menos {}, Fiscal Year {0} Does Not Exist,Ano Fiscal {0} Não Existe, Row # {0}: Returned Item {1} does not exist in {2} {3},Linha # {0}: o item devolvido {1} não existe em {2} {3}, Valuation type charges can not be marked as Inclusive,Encargos de tipo de avaliação não podem ser marcados como inclusivos, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Defina o temp Response Time for {0} priority in row {1} can't be greater than Resolution Time.,O tempo de resposta para {0} prioridade na linha {1} não pode ser maior que o tempo de resolução., {0} is not enabled in {1},{0} não está habilitado em {1}, Group by Material Request,Agrupar por solicitação de material, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Linha {0}: Para o fornecedor {0}, o endereço de e-mail é obrigatório para enviar o e-mail", Email Sent to Supplier {0},Email enviado ao fornecedor {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","O acesso à solicitação de cotação do portal está desabilitado. Para permitir o acesso, habilite-o nas configurações do portal.", Supplier Quotation {0} Created,Cotação do fornecedor {0} criada, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},O peso total atribuído de Account {0} exists in parent company {1}.,A conta {0} existe na empresa-mãe {1}., "To overrule this, enable '{0}' in company {1}","Para anular isso, ative '{0}' na empresa {1}", Invalid condition expression,Expressão de condição inválida, +Please Select a Company First,Selecione uma empresa primeiro, +Please Select Both Company and Party Type First,Selecione o tipo de empresa e parte primeiro, +Provide the invoice portion in percent,Fornece a parte da fatura em porcentagem, +Give number of days according to prior selection,Dê o número de dias de acordo com a seleção anterior, +Email Details,Detalhes de email, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Selecione uma saudação para o destinatário. Por exemplo, Sr., Sra., Etc.", +Preview Email,Pré-visualizar email, +Please select a Supplier,Selecione um fornecedor, +Supplier Lead Time (days),Prazo de entrega do fornecedor (dias), +"Home, Work, etc.","Casa, Trabalho, etc.", +Exit Interview Held On,Entrevista de saída realizada em, +Condition and formula,Condição e fórmula, +Sets 'Target Warehouse' in each row of the Items table.,Define 'Armazém de destino' em cada linha da tabela de itens., +Sets 'Source Warehouse' in each row of the Items table.,Define 'Source Warehouse' em cada linha da tabela de itens., +POS Register,Registro de PDV, +"Can not filter based on POS Profile, if grouped by POS Profile","Não é possível filtrar com base no Perfil de POS, se agrupado por Perfil de POS", +"Can not filter based on Customer, if grouped by Customer","Não é possível filtrar com base no cliente, se agrupado por cliente", +"Can not filter based on Cashier, if grouped by Cashier","Não é possível filtrar com base no Caixa, se agrupado por Caixa", +Payment Method,Forma de pagamento, +"Can not filter based on Payment Method, if grouped by Payment Method","Não é possível filtrar com base na forma de pagamento, se agrupado por forma de pagamento", +Supplier Quotation Comparison,Comparação de cotação de fornecedor, +Price per Unit (Stock UOM),Preço por unidade (UOM de estoque), +Group by Supplier,Grupo por Fornecedor, +Group by Item,Agrupar por Item, +Remember to set {field_label}. It is required by {regulation}.,Lembre-se de definir {field_label}. É exigido por {regulamento}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},A data de inscrição não pode ser anterior à data de início do ano letivo {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},A data de inscrição não pode ser posterior à data de término do período acadêmico {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},A data de inscrição não pode ser anterior à data de início do período acadêmico {0}, +Posting future transactions are not allowed due to Immutable Ledger,Lançamento de transações futuras não é permitido devido ao Immutable Ledger, +Future Posting Not Allowed,Postagem futura não permitida, +"To enable Capital Work in Progress Accounting, ","Para habilitar a Contabilidade de Trabalho Capital em Andamento,", +you must select Capital Work in Progress Account in accounts table,você deve selecionar a conta Capital Work in Progress na tabela de contas, +You can also set default CWIP account in Company {},Você também pode definir uma conta CWIP padrão na Empresa {}, +The Request for Quotation can be accessed by clicking on the following button,O Pedido de Cotação pode ser acessado clicando no seguinte botão, +Regards,Saudações, +Please click on the following button to set your new password,Clique no botão a seguir para definir sua nova senha, +Update Password,Atualizar senha, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Linha nº {}: A taxa de venda do item {} é menor do que {}. A venda {} deve ser pelo menos {}, +You can alternatively disable selling price validation in {} to bypass this validation.,"Como alternativa, você pode desativar a validação do preço de venda em {} para ignorar esta validação.", +Invalid Selling Price,Preço de Venda Inválido, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,O endereço precisa estar vinculado a uma empresa. Adicione uma linha para Empresa na tabela de Links., +Company Not Linked,Empresa não vinculada, +Import Chart of Accounts from CSV / Excel files,Importar plano de contas de arquivos CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',Qtd concluída não pode ser maior que 'Qty to Manufacture', +"Row {0}: For Supplier {1}, Email Address is Required to send an email","Linha {0}: Para o fornecedor {1}, o endereço de e-mail é obrigatório para enviar um e-mail", diff --git a/erpnext/translations/pt_br.csv b/erpnext/translations/pt_br.csv index ae6c30a911..38378c4850 100644 --- a/erpnext/translations/pt_br.csv +++ b/erpnext/translations/pt_br.csv @@ -263,7 +263,6 @@ Company (not Customer or Supplier) master.,"Cadastro da Empresa (a própria com Company Abbreviation,Sigla da Empresa, Company Name cannot be Company,Nome da empresa não pode ser empresa, Compensatory Off,Saída Compensatória, -Completed Qty can not be greater than 'Qty to Manufacture',"Qtde concluída não pode ser maior do que ""Qtde de Fabricação""", Confirmed orders from Customers.,Pedidos confirmados de clientes., Consumed Amount,Quantidade Consumida, Consumed Qty,Qtde Consumida, @@ -880,7 +879,6 @@ Please select BOM for Item in Row {0},"Por favor, selecione LDM para o Item na l Please select Category first,Por favor selecione a Categoria primeiro, Please select Charge Type first,Por favor selecione o Tipo de Encargo primeiro, Please select Company,"Por favor, selecione Empresa", -Please select Company and Party Type first,"Por favor, selecione a Empresa e Tipo de Parceiro primeiro", Please select Company first,"Por favor, selecione Empresa primeiro", Please select Employee,Selecione Colaborador, Please select Existing Company for creating Chart of Accounts,"Por favor, selecione empresa já existente para a criação de Plano de Contas", @@ -2184,11 +2182,6 @@ Relieving Date,Data da Liberação, Reason for Leaving,Motivo da saída, Leave Encashed?,Licenças Cobradas?, Encashment Date,Data da cobrança, -Exit Interview Details,Detalhes da Entrevista de Saída, -Held On,Realizada em, -Reason for Resignation,Motivo para Demissão, -Better Prospects,Melhores clientes prospectados, -Health Concerns,Preocupações com a Saúde, Advance Account,Conta de Adiantamentos, Employee Attendance Tool,Ferramenta para Lançamento de Ponto, Unmarked Attendance,Presença Desmarcada, @@ -2842,7 +2835,6 @@ Distribute Charges Based On,Distribuir encargos baseado em, Landed Cost Help,Custo de Desembarque Ajuda, Manufacturers used in Items,Fabricantes utilizados em Itens, Limited to 12 characters,Limitados a 12 caracteres, -Requested For,Solicitado para, % Ordered,% Comprado, Terms and Conditions Content,Conteúdo dos Termos e Condições, Lead Time Date,Prazo de Entrega, diff --git a/erpnext/translations/ro.csv b/erpnext/translations/ro.csv index 5ec3091d3d..2f2d9d5f78 100644 --- a/erpnext/translations/ro.csv +++ b/erpnext/translations/ro.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Taxa de tip Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,Tarifele sunt actualizate în Primirea cumparare pentru fiecare articol, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Taxele vor fi distribuite proporțional în funcție de produs Cantitate sau valoarea, ca pe dvs. de selecție", -Chart Of Accounts,Diagramă Conturi, Chart of Cost Centers,Diagramă Centre de Cost, Check all,Selectați toate, Checkout,Verifică, @@ -581,7 +580,6 @@ Company {0} does not exist,Firma {0} nu există, Compensatory Off,Fara Masuri Compensatorii, Compensatory leave request days not in valid holidays,Plățile compensatorii pleacă în zilele de sărbători valabile, Complaint,Reclamație, -Completed Qty can not be greater than 'Qty to Manufacture',"Finalizat Cantitate nu poate fi mai mare decât ""Cantitate de Fabricare""", Completion Date,Data Finalizare, Computer,Computer, Condition,Condiție, @@ -2033,7 +2031,6 @@ Please select Category first,Vă rugăm să selectați categoria întâi, Please select Charge Type first,Vă rugăm să selectați tipul de taxă în primul rând, Please select Company,Vă rugăm să selectați Company, Please select Company and Designation,Selectați Companie și desemnare, -Please select Company and Party Type first,Vă rugăm să selectați Company și Partidul Tip primul, Please select Company and Posting Date to getting entries,Selectați Company and Dateing date pentru a obține înregistrări, Please select Company first,Vă rugăm să selectați Company primul, Please select Completion Date for Completed Asset Maintenance Log,Selectați Data de încheiere pentru jurnalul de întreținere a activelor finalizat, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Numele insti The name of your company for which you are setting up this system.,Numele companiei dumneavoastră pentru care vă sunt configurarea acestui sistem., The number of shares and the share numbers are inconsistent,Numărul de acțiuni și numerele de acțiuni sunt incoerente, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Contul gateway-ului de plată din plan {0} este diferit de contul gateway-ului de plată din această solicitare de plată, -The request for quotation can be accessed by clicking on the following link,Cererea de ofertă poate fi accesată făcând clic pe link-ul de mai jos, The selected BOMs are not for the same item,Cele BOM selectate nu sunt pentru același articol, The selected item cannot have Batch,Elementul selectat nu poate avea lot, The seller and the buyer cannot be the same,Vânzătorul și cumpărătorul nu pot fi aceleași, @@ -3543,7 +3539,6 @@ Company GSTIN,Compania GSTIN, Company field is required,Câmpul companiei este obligatoriu, Creating Dimensions...,Crearea dimensiunilor ..., Duplicate entry against the item code {0} and manufacturer {1},Duplică intrarea în codul articolului {0} și producătorul {1}, -Import Chart Of Accounts from CSV / Excel files,Importați graficul conturilor din fișiere CSV / Excel, 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 introdusă nu se potrivește cu formatul GSTIN pentru deținătorii de UIN sau furnizorii de servicii OIDAR nerezidenți, Invoice Grand Total,Total factură mare, Last carbon check date cannot be a future date,Ultima dată de verificare a carbonului nu poate fi o dată viitoare, @@ -3920,7 +3915,6 @@ Plaid authentication error,Eroare de autentificare plaidă, Plaid public token error,Eroare a simbolului public cu plaid, Plaid transactions sync error,Eroare de sincronizare a tranzacțiilor plasate, Please check the error log for details about the import errors,Verificați jurnalul de erori pentru detalii despre erorile de import, -Please click on the following link to set your new password,Vă rugăm să faceți clic pe link-ul următor pentru a seta noua parola, Please create DATEV Settings for Company {}.,Vă rugăm să creați DATEV Setări pentru companie {} ., Please create adjustment Journal Entry for amount {0} ,Vă rugăm să creați ajustarea Intrare în jurnal pentru suma {0}, Please do not create more than 500 items at a time,Vă rugăm să nu creați mai mult de 500 de articole simultan, @@ -4043,7 +4037,6 @@ Search results for,cauta rezultate pentru, Select All,Selectează toate, Select Difference Account,Selectați Cont de diferență, Select a Default Priority.,Selectați o prioritate implicită., -Select a Supplier from the Default Supplier List of the items below.,Selectați un furnizor din lista de furnizori implicită a articolelor de mai jos., Select a company,Selectați o companie, Select finance book for the item {0} at row {1},Selectați cartea de finanțe pentru articolul {0} din rândul {1}, Select only one Priority as Default.,Selectați doar o prioritate ca implicită., @@ -4247,7 +4240,6 @@ Yes,da, Actual ,Efectiv, Add to cart,Adăugaţi în Coş, Budget,Buget, -Chart Of Accounts Importer,Graficul importatorului de conturi, Chart of Accounts,Grafic de conturi, Customer database.,Baza de date pentru clienți., Days Since Last order,Zile de la ultima comandă, @@ -4939,7 +4931,6 @@ Closing Account Head,Închidere Cont Principal, POS Customer Group,Grup Clienți POS, POS Field,Câmpul POS, POS Item Group,POS Articol Grupa, -[Select],[Selectati], Company Address,Adresă Companie, Update Stock,Actualizare stock, Ignore Pricing Rule,Ignora Regula Preturi, @@ -6597,11 +6588,6 @@ Relieving Date,Alinarea Data, Reason for Leaving,Motiv pentru plecare, Leave Encashed?,Concediu Incasat ?, Encashment Date,Data plata in Numerar, -Exit Interview Details,Detalii Interviu de Iesire, -Held On,Organizat In, -Reason for Resignation,Motiv pentru demisie, -Better Prospects,Perspective îmbunătăţite, -Health Concerns,Probleme de Sanatate, New Workplace,Nou loc de muncă, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Suma restituită, @@ -8237,9 +8223,6 @@ Landed Cost Help,Costul Ajutor Landed, Manufacturers used in Items,Producători utilizați în Articole, Limited to 12 characters,Limitată la 12 de caractere, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Set Warehouse, -Sets 'For Warehouse' in each row of the Items table.,Setează „Pentru depozit” în fiecare rând al tabelului Elemente., -Requested For,Solicitat/ă pentru, Partially Ordered,Parțial comandat, Transferred,transferat, % Ordered,% Comandat, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Depozit cerere material, Select warehouse for material requests,Selectați depozitul pentru solicitări de materiale, Transfer Materials For Warehouse {0},Transfer de materiale pentru depozit {0}, Production Plan Material Request Warehouse,Plan de producție Cerere de materiale Depozit, -Set From Warehouse,Set From Warehouse, -Source Warehouse (Material Transfer),Depozit sursă (transfer material), Sets 'Source Warehouse' in each row of the items table.,Setează „Depozit sursă” în fiecare rând al tabelului cu articole., Sets 'Target Warehouse' in each row of the items table.,Setează „Depozit țintă” în fiecare rând al tabelului cu articole., Show Cancelled Entries,Afișați intrările anulate, @@ -9155,7 +9136,6 @@ Professional Tax,Impozit profesional, Is Income Tax Component,Este componenta impozitului pe venit, Component properties and references ,Proprietăți și referințe ale componentelor, Additional Salary ,Salariu suplimentar, -Condtion and formula,Condiție și formulă, Unmarked days,Zile nemarcate, Absent Days,Zile absente, Conditions and Formula variable and example,Condiții și variabilă Formula și exemplu, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Eroare solicitare invalidă în carouri, Please check your Plaid client ID and secret values,Vă rugăm să verificați ID-ul dvs. de client Plaid și valorile secrete, Bank transaction creation error,Eroare la crearea tranzacțiilor bancare, Unit of Measurement,Unitate de măsură, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Rândul # {}: rata de vânzare a articolului {} este mai mică decât {}. Rata de vânzare ar trebui să fie cel puțin {}, Fiscal Year {0} Does Not Exist,Anul fiscal {0} nu există, Row # {0}: Returned Item {1} does not exist in {2} {3},Rândul # {0}: articolul returnat {1} nu există în {2} {3}, Valuation type charges can not be marked as Inclusive,Taxele de tip de evaluare nu pot fi marcate ca Incluse, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Setați timpu Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Timpul de răspuns pentru {0} prioritatea în rândul {1} nu poate fi mai mare decât timpul de rezoluție., {0} is not enabled in {1},{0} nu este activat în {1}, Group by Material Request,Grupați după cerere de material, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Rândul {0}: pentru furnizor {0}, adresa de e-mail este necesară pentru a trimite e-mail", Email Sent to Supplier {0},E-mail trimis către furnizor {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Accesul la cererea de ofertă de la portal este dezactivat. Pentru a permite accesul, activați-l în Setări portal.", Supplier Quotation {0} Created,Ofertă furnizor {0} creată, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Ponderea totală alocată Account {0} exists in parent company {1}.,Contul {0} există în compania mamă {1}., "To overrule this, enable '{0}' in company {1}","Pentru a ignora acest lucru, activați „{0}” în companie {1}", Invalid condition expression,Expresie de condiție nevalidă, +Please Select a Company First,Vă rugăm să selectați mai întâi o companie, +Please Select Both Company and Party Type First,"Vă rugăm să selectați mai întâi atât compania, cât și tipul de petrecere", +Provide the invoice portion in percent,Furnizați partea de facturare în procente, +Give number of days according to prior selection,Dați numărul de zile în funcție de selecția anterioară, +Email Details,Detalii e-mail, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Selectați o felicitare pentru receptor. De exemplu, domnul, doamna etc.", +Preview Email,Previzualizați e-mailul, +Please select a Supplier,Vă rugăm să selectați un furnizor, +Supplier Lead Time (days),Timp de livrare a furnizorului (zile), +"Home, Work, etc.","Acasă, serviciu etc.", +Exit Interview Held On,Ieșiți din interviu, +Condition and formula,Stare și formulă, +Sets 'Target Warehouse' in each row of the Items table.,Setează „Depozit țintă” în fiecare rând al tabelului Elemente., +Sets 'Source Warehouse' in each row of the Items table.,Setează „Depozit sursă” în fiecare rând al tabelului Elemente., +POS Register,Registrul POS, +"Can not filter based on POS Profile, if grouped by POS Profile","Nu se poate filtra pe baza profilului POS, dacă este grupat după profilul POS", +"Can not filter based on Customer, if grouped by Customer","Nu se poate filtra pe baza clientului, dacă este grupat după client", +"Can not filter based on Cashier, if grouped by Cashier","Nu se poate filtra în funcție de Casier, dacă este grupat după Casier", +Payment Method,Modalitate de plată, +"Can not filter based on Payment Method, if grouped by Payment Method","Nu se poate filtra pe baza metodei de plată, dacă este grupată după metoda de plată", +Supplier Quotation Comparison,Compararea ofertelor de ofertă, +Price per Unit (Stock UOM),Preț per unitate (stoc UOM), +Group by Supplier,Grup pe furnizor, +Group by Item,Grupați după articol, +Remember to set {field_label}. It is required by {regulation}.,Nu uitați să setați {field_label}. Este cerut de {regulament}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Data înscrierii nu poate fi înainte de data de începere a anului academic {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Data înscrierii nu poate fi ulterioară datei de încheiere a termenului academic {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Data înscrierii nu poate fi anterioară datei de începere a termenului academic {0}, +Posting future transactions are not allowed due to Immutable Ledger,Înregistrarea tranzacțiilor viitoare nu este permisă din cauza contabilității imuabile, +Future Posting Not Allowed,Postarea viitoare nu este permisă, +"To enable Capital Work in Progress Accounting, ","Pentru a permite contabilitatea activității de capital în curs,", +you must select Capital Work in Progress Account in accounts table,trebuie să selectați Contul de capital în curs în tabelul de conturi, +You can also set default CWIP account in Company {},"De asemenea, puteți seta contul CWIP implicit în Companie {}", +The Request for Quotation can be accessed by clicking on the following button,Cererea de ofertă poate fi accesată făcând clic pe butonul următor, +Regards,Salutari, +Please click on the following button to set your new password,Vă rugăm să faceți clic pe următorul buton pentru a seta noua parolă, +Update Password,Actualizați parola, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Rândul # {}: rata de vânzare a articolului {} este mai mică decât {}. Vânzarea {} ar trebui să fie cel puțin {}, +You can alternatively disable selling price validation in {} to bypass this validation.,Puteți dezactiva alternativ validarea prețului de vânzare în {} pentru a ocoli această validare., +Invalid Selling Price,Preț de vânzare nevalid, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Adresa trebuie să fie legată de o companie. Vă rugăm să adăugați un rând pentru Companie în tabelul Legături., +Company Not Linked,Compania nu este legată, +Import Chart of Accounts from CSV / Excel files,Importați planul de conturi din fișiere CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',Cantitatea completată nu poate fi mai mare decât „Cantitatea pentru fabricare”, +"Row {0}: For Supplier {1}, Email Address is Required to send an email","Rândul {0}: pentru furnizor {1}, este necesară adresa de e-mail pentru a trimite un e-mail", diff --git a/erpnext/translations/ru.csv b/erpnext/translations/ru.csv index 1efb1d4a62..5feb3e6da1 100644 --- a/erpnext/translations/ru.csv +++ b/erpnext/translations/ru.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Начисл Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,Расходы обновляются в приобретении получение против каждого пункта, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Расходы будут распределяться пропорционально на основе количества или суммы продукта, согласно вашему выбору", -Chart Of Accounts,План счетов, Chart of Cost Centers,План МВЗ, Check all,Отметить все, Checkout,"Проверять, выписываться", @@ -581,7 +580,6 @@ Company {0} does not exist,Компания {0} не существует, Compensatory Off,Компенсационные Выкл, Compensatory leave request days not in valid holidays,Дни запроса на получение компенсационных отчислений не действительны, Complaint,жалоба, -Completed Qty can not be greater than 'Qty to Manufacture',"Завершен Кол-во не может быть больше, чем ""Кол-во для изготовления""", Completion Date,Дата завершения, Computer,компьютер, Condition,Условия, @@ -2033,7 +2031,6 @@ Please select Category first,"Пожалуйста, выберите катег Please select Charge Type first,"Пожалуйста, выберите Charge Тип первый", Please select Company,"Пожалуйста, выберите компанию", Please select Company and Designation,Выберите компанию и обозначение, -Please select Company and Party Type first,"Пожалуйста, выберите компании и партийных первого типа", Please select Company and Posting Date to getting entries,Выберите компанию и дату проводки для получения записей., Please select Company first,"Пожалуйста, выберите КОМПАНИЯ Первый", Please select Completion Date for Completed Asset Maintenance Log,Выберите Дата завершения для завершенного журнала обслуживания активов, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,"Назва The name of your company for which you are setting up this system.,"Название вашей компании, для которой вы настраиваете эту систему.", The number of shares and the share numbers are inconsistent,Количество акций и номеров акций несовместимы, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Учетная запись платежного шлюза в плане {0} отличается от учетной записи платежного шлюза в этом платежном запросе, -The request for quotation can be accessed by clicking on the following link,Запрос на предложение доступен по следующей ссылке, The selected BOMs are not for the same item,Выбранные ВМ не для одного продукта, The selected item cannot have Batch,Выбранный продукт не может иметь партию, The seller and the buyer cannot be the same,Продавец и покупатель не могут быть одинаковыми, @@ -3543,7 +3539,6 @@ Company GSTIN,Компания GSTIN, Company field is required,Поле компании обязательно для заполнения, Creating Dimensions...,Создание размеров ..., Duplicate entry against the item code {0} and manufacturer {1},Повторяющаяся запись с кодом товара {0} и производителем {1}, -Import Chart Of Accounts from CSV / Excel files,Импорт плана счетов из файлов CSV / Excel, 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., Invoice Grand Total,Счет-фактура Grand Total, Last carbon check date cannot be a future date,Дата последней проверки углерода не может быть датой в будущем, @@ -3920,7 +3915,6 @@ Plaid authentication error,Ошибка аутентификации пледа, Plaid public token error,Ошибка публичного токена, Plaid transactions sync error,Ошибка синхронизации плед транзакций, Please check the error log for details about the import errors,"Пожалуйста, проверьте журнал ошибок для деталей об ошибках импорта", -Please click on the following link to set your new password,"Пожалуйста, нажмите на следующую ссылку, чтобы установить новый пароль", Please create DATEV Settings for Company {}.,"Пожалуйста, создайте настройки DATEV для компании {} .", Please create adjustment Journal Entry for amount {0} ,"Пожалуйста, создайте корректировку Записи в журнале для суммы {0}", Please do not create more than 500 items at a time,"Пожалуйста, не создавайте более 500 предметов одновременно", @@ -4043,7 +4037,6 @@ Search results for,Результаты поиска, Select All,Выбрать Все, Select Difference Account,Выберите учетную запись разницы, Select a Default Priority.,Выберите приоритет по умолчанию., -Select a Supplier from the Default Supplier List of the items below.,Выберите поставщика из списка поставщиков по умолчанию из пунктов ниже., Select a company,Выберите компанию, Select finance book for the item {0} at row {1},Выберите финансовую книгу для позиции {0} в строке {1}, Select only one Priority as Default.,Выберите только один приоритет по умолчанию., @@ -4247,7 +4240,6 @@ Yes,да, Actual ,Фактически, Add to cart,Добавить в корзину, Budget,бюджет, -Chart Of Accounts Importer,План счетов Импортер, Chart of Accounts,План счетов, Customer database.,База данных клиентов., Days Since Last order,Дни с последнего Заказать, @@ -4939,7 +4931,6 @@ Closing Account Head,Закрытие счета руководитель, POS Customer Group,POS Группа клиентов, POS Field,POS Field, POS Item Group,POS Item Group, -[Select],[Выберите], Company Address,Адрес компании, Update Stock,Обновить склад, Ignore Pricing Rule,Игнорировать правило ценообразования, @@ -6597,11 +6588,6 @@ Relieving Date,Освобождение Дата, Reason for Leaving,Причина увольнения, Leave Encashed?,Оставьте инкассированы?, Encashment Date,Инкассация Дата, -Exit Interview Details,Выход Интервью Подробности, -Held On,Состоявшемся, -Reason for Resignation,Причина отставки, -Better Prospects,Потенциальные покупатели, -Health Concerns,Проблемы здоровья, New Workplace,Новый рабочий участок, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Возвращенная сумма, @@ -8237,9 +8223,6 @@ Landed Cost Help,Земельные Стоимость Помощь, Manufacturers used in Items,Производители использовали в пунктах, Limited to 12 characters,Ограничено до 12 символов, MAT-MR-.YYYY.-,МАТ-MR-.YYYY.-, -Set Warehouse,Установить склад, -Sets 'For Warehouse' in each row of the Items table.,Устанавливает «На склад» в каждой строке таблицы «Предметы»., -Requested For,Запрошено для, Partially Ordered,Частично заказано, Transferred,Переданы, % Ordered,% заказано, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Склад запросов на материалы, Select warehouse for material requests,Выберите склад для запросов материалов, Transfer Materials For Warehouse {0},Передача материалов на склад {0}, Production Plan Material Request Warehouse,Склад запроса материалов производственного плана, -Set From Warehouse,Набор со склада, -Source Warehouse (Material Transfer),Исходный склад (передача материалов), Sets 'Source Warehouse' in each row of the items table.,Устанавливает «Исходный склад» в каждой строке таблицы элементов., Sets 'Target Warehouse' in each row of the items table.,Устанавливает «Целевой склад» в каждой строке таблицы товаров., Show Cancelled Entries,Показать отмененные записи, @@ -9155,7 +9136,6 @@ Professional Tax,Профессиональный налог, Is Income Tax Component,Компонент подоходного налога, Component properties and references ,Свойства компонентов и ссылки, Additional Salary ,Дополнительная зарплата, -Condtion and formula,Условия и формула, Unmarked days,Неотмеченные дни, Absent Days,Отсутствующие дни, Conditions and Formula variable and example,"Условия и формула, переменная и пример", @@ -9442,7 +9422,6 @@ Plaid invalid request error,Ошибка неверного запроса пл Please check your Plaid client ID and secret values,"Пожалуйста, проверьте свой идентификатор клиента Plaid и секретные значения", Bank transaction creation error,Ошибка создания банковской транзакции, Unit of Measurement,Единица измерения, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},"Строка № {}: уровень продажи товара {} ниже, чем его {}. Уровень продаж должен быть как минимум {}", Fiscal Year {0} Does Not Exist,Финансовый год {0} не существует, Row # {0}: Returned Item {1} does not exist in {2} {3},Строка № {0}: возвращенный товар {1} не существует в {2} {3}, Valuation type charges can not be marked as Inclusive,Плата за тип оценки не может быть помечена как «Включая», @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Задайт Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Время отклика для приоритета {0} в строке {1} не может быть больше времени разрешения., {0} is not enabled in {1},{0} не включен в {1}, Group by Material Request,Группировать по запросу материала, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Строка {0}: для поставщика {0} адрес электронной почты необходим для отправки электронной почты., Email Sent to Supplier {0},Электронное письмо отправлено поставщику {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Доступ к запросу коммерческого предложения с портала отключен. Чтобы разрешить доступ, включите его в настройках портала.", Supplier Quotation {0} Created,Предложение поставщика {0} создано, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Общий вес долж Account {0} exists in parent company {1}.,Аккаунт {0} существует в материнской компании {1}., "To overrule this, enable '{0}' in company {1}","Чтобы отменить это, включите "{0}" в компании {1}", Invalid condition expression,Недействительное выражение условия, +Please Select a Company First,"Пожалуйста, сначала выберите компанию", +Please Select Both Company and Party Type First,"Пожалуйста, сначала выберите компанию и тип стороны", +Provide the invoice portion in percent,Укажите часть счета в процентах, +Give number of days according to prior selection,Укажите количество дней в соответствии с предыдущим выбором, +Email Details,Электронная почта Подробности, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Выберите приветствие для получателя. Например, мистер, мисс и т. Д.", +Preview Email,Предварительный просмотр электронной почты, +Please select a Supplier,"Пожалуйста, выберите поставщика", +Supplier Lead Time (days),Срок поставки поставщика (дни), +"Home, Work, etc.","Дом, работа и т. Д.", +Exit Interview Held On,Завершить собеседование, +Condition and formula,Условие и формула, +Sets 'Target Warehouse' in each row of the Items table.,Устанавливает «Целевой склад» в каждой строке таблицы «Предметы»., +Sets 'Source Warehouse' in each row of the Items table.,Устанавливает «Исходный склад» в каждой строке таблицы «Предметы»., +POS Register,POS регистр, +"Can not filter based on POS Profile, if grouped by POS Profile","Невозможно фильтровать по профилю POS, если он сгруппирован по профилю POS", +"Can not filter based on Customer, if grouped by Customer","Невозможно фильтровать по клиенту, если они сгруппированы по клиенту", +"Can not filter based on Cashier, if grouped by Cashier","Невозможно фильтровать по кассиру, если они сгруппированы по кассе", +Payment Method,Способ оплаты, +"Can not filter based on Payment Method, if grouped by Payment Method","Невозможно фильтровать по способу оплаты, если они сгруппированы по способу оплаты", +Supplier Quotation Comparison,Сравнение предложений поставщиков, +Price per Unit (Stock UOM),Цена за единицу (складские единицы измерения), +Group by Supplier,Группировать по поставщикам, +Group by Item,Группировать по пунктам, +Remember to set {field_label}. It is required by {regulation}.,Не забудьте установить {field_label}. Этого требует {регулирование}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Дата зачисления не может быть раньше даты начала учебного года {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Дата зачисления не может быть позже даты окончания академического семестра {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Дата зачисления не может быть раньше даты начала академического семестра {0}, +Posting future transactions are not allowed due to Immutable Ledger,Проводка будущих транзакций не разрешена из-за неизменяемой бухгалтерской книги, +Future Posting Not Allowed,Размещение в будущем запрещено, +"To enable Capital Work in Progress Accounting, ","Чтобы включить ведение учета капитальных работ,", +you must select Capital Work in Progress Account in accounts table,в таблице счетов необходимо выбрать «Текущие капитальные работы»., +You can also set default CWIP account in Company {},Вы также можете установить учетную запись CWIP по умолчанию в Company {}, +The Request for Quotation can be accessed by clicking on the following button,"Получить доступ к запросу коммерческого предложения можно, нажав следующую кнопку", +Regards,С уважением, +Please click on the following button to set your new password,"Пожалуйста, нажмите на следующую кнопку, чтобы установить новый пароль", +Update Password,Обновить пароль, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},"Строка № {}: уровень продажи товара {} ниже, чем его {}. Продажа {} должна быть как минимум {}", +You can alternatively disable selling price validation in {} to bypass this validation.,"Вы также можете отключить проверку продажной цены в {}, чтобы обойти эту проверку.", +Invalid Selling Price,Недействительная цена продажи, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,"Адрес должен быть привязан к компании. Пожалуйста, добавьте строку для компании в таблицу ссылок.", +Company Not Linked,Компания не связана, +Import Chart of Accounts from CSV / Excel files,Импорт плана счетов из файлов CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',"Завершенное количество не может быть больше, чем «Количество для изготовления»", +"Row {0}: For Supplier {1}, Email Address is Required to send an email",Строка {0}: для поставщика {1} адрес электронной почты необходим для отправки электронного письма., diff --git a/erpnext/translations/rw.csv b/erpnext/translations/rw.csv index fdfcabce70..0a658a538a 100644 --- a/erpnext/translations/rw.csv +++ b/erpnext/translations/rw.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Amafaranga yu Chargeble,Kwishyurwa, Charges are updated in Purchase Receipt against each item,Amafaranga yishyurwa mugihe cyo kugura ibicuruzwa kuri buri kintu, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Amafaranga azagabanywa ukurikije ibintu qty cyangwa umubare, nkuko wahisemo", -Chart Of Accounts,Imbonerahamwe ya Konti, Chart of Cost Centers,Imbonerahamwe y'Ibiciro, Check all,Reba byose, Checkout,Kugenzura, @@ -581,7 +580,6 @@ Company {0} does not exist,Isosiyete {0} ntabwo ibaho, Compensatory Off,Indishyi, Compensatory leave request days not in valid holidays,Ikiruhuko cyindishyi zisaba iminsi ntabwo muminsi mikuru yemewe, Complaint,Ikirego, -Completed Qty can not be greater than 'Qty to Manufacture',Qty yuzuye ntishobora kuba irenze 'Qty to Manufacture', Completion Date,Itariki yo kurangiriraho, Computer,Mudasobwa, Condition,Imiterere, @@ -2033,7 +2031,6 @@ Please select Category first,Nyamuneka hitamo Icyiciro, Please select Charge Type first,Nyamuneka hitamo Ubwoko bwa Charge, Please select Company,Nyamuneka hitamo Isosiyete, Please select Company and Designation,Nyamuneka hitamo Isosiyete no Kugenwa, -Please select Company and Party Type first,Nyamuneka hitamo Isosiyete nubwoko bwIshyaka mbere, Please select Company and Posting Date to getting entries,Nyamuneka hitamo Isosiyete no kohereza Itariki kugirango ubone ibyinjira, Please select Company first,Nyamuneka hitamo Isosiyete, Please select Completion Date for Completed Asset Maintenance Log,Nyamuneka hitamo Itariki Yuzuye yo Kuzuza Umutungo wuzuye, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Izina ryikig The name of your company for which you are setting up this system.,Izina rya sosiyete yawe urimo gushiraho iyi sisitemu., The number of shares and the share numbers are inconsistent,Umubare wimigabane numubare wimigabane ntaho uhuriye, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Konti yo kwishura yishyurwa muri gahunda {0} itandukanye na konte yo kwishura muri iki cyifuzo cyo kwishyura, -The request for quotation can be accessed by clicking on the following link,Icyifuzo cyo gusubiramo gishobora kugerwaho ukanze kumurongo ukurikira, The selected BOMs are not for the same item,BOM zatoranijwe ntabwo arikintu kimwe, The selected item cannot have Batch,Ikintu cyatoranijwe ntigishobora kugira Batch, The seller and the buyer cannot be the same,Umugurisha nuwaguze ntibashobora kuba bamwe, @@ -3543,7 +3539,6 @@ Company GSTIN,Isosiyete GSTIN, Company field is required,Umwanya w'ikigo urakenewe, Creating Dimensions...,Gukora Ibipimo ..., Duplicate entry against the item code {0} and manufacturer {1},Kwigana ibyanditswe birwanya kode {0} nuwabikoze {1}, -Import Chart Of Accounts from CSV / Excel files,Kuzana Imbonerahamwe ya Konti kuva muri dosiye ya CSV / Excel, Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN itemewe! Iyinjiza winjiye ntabwo ihuye nimiterere ya GSTIN kubafite UIN cyangwa abatanga serivisi ya OIDAR idatuye, Invoice Grand Total,Inyemezabuguzi Yuzuye, Last carbon check date cannot be a future date,Itariki yanyuma yo kugenzura karubone ntishobora kuba itariki izaza, @@ -3920,7 +3915,6 @@ Plaid authentication error,Ikosa ryo kwemeza ikosa, Plaid public token error,Shyira ahagaragara ikosa rusange, Plaid transactions sync error,Kwishura ibikorwa byo guhuza ikosa, Please check the error log for details about the import errors,Nyamuneka reba amakosa yibisobanuro birambuye kubyerekeye amakosa yatumijwe, -Please click on the following link to set your new password,Nyamuneka kanda kumurongo ukurikira kugirango ushireho ijambo ryibanga rishya, Please create DATEV Settings for Company {}.,Nyamuneka kora DATEV Igenamiterere rya Sosiyete {} ., Please create adjustment Journal Entry for amount {0} ,Nyamuneka kora ibinyamakuru byinjira kumafaranga {0}, Please do not create more than 500 items at a time,Nyamuneka ntukareme ibintu birenga 500 icyarimwe, @@ -4043,7 +4037,6 @@ Search results for,Shakisha ibisubizo kuri, Select All,Hitamo byose, Select Difference Account,Hitamo Konti Itandukanye, Select a Default Priority.,Hitamo Icyambere., -Select a Supplier from the Default Supplier List of the items below.,Hitamo Utanga isoko kuva Mubisanzwe Utanga Urutonde rwibintu bikurikira., Select a company,Hitamo isosiyete, Select finance book for the item {0} at row {1},Hitamo igitabo cyimari kubintu {0} kumurongo {1}, Select only one Priority as Default.,Hitamo Icyambere kimwe gusa nkibisanzwe., @@ -4247,7 +4240,6 @@ Yes,Yego, Actual ,Mubyukuri, Add to cart,Ongera ku igare, Budget,Bije, -Chart Of Accounts Importer,Imbonerahamwe ya Konti Yinjiza, Chart of Accounts,Imbonerahamwe ya Konti, Customer database.,Ububikoshingiro bwabakiriya., Days Since Last order,Iminsi Kuva Urutonde Rwanyuma, @@ -4939,7 +4931,6 @@ Closing Account Head,Gufunga Umukuru wa Konti, POS Customer Group,Itsinda ry'abakiriya POS, POS Field,Umwanya wa POS, POS Item Group,Itsinda rya POS, -[Select],[Hitamo], Company Address,Aderesi ya sosiyete, Update Stock,Kuvugurura ububiko, Ignore Pricing Rule,Kwirengagiza amategeko agenga ibiciro, @@ -6597,11 +6588,6 @@ Relieving Date,Itariki Yoroheje, Reason for Leaving,Impamvu yo kugenda, Leave Encashed?,Kureka?, Encashment Date,Itariki yo Kuzuza, -Exit Interview Details,Sohora Ibisobanuro birambuye, -Held On,Bikorewe, -Reason for Resignation,Impamvu yo kwegura, -Better Prospects,Ibyiringiro byiza, -Health Concerns,Ibibazo byubuzima, New Workplace,Umwanya mushya, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Amafaranga yagaruwe, @@ -8237,9 +8223,6 @@ Landed Cost Help,Ubufasha bwibiciro, Manufacturers used in Items,Inganda zikoreshwa mubintu, Limited to 12 characters,Kugarukira ku nyuguti 12, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Shiraho ububiko, -Sets 'For Warehouse' in each row of the Items table.,Gushiraho 'Kububiko' muri buri murongo wibintu byimbonerahamwe., -Requested For,Basabwe Kuri, Partially Ordered,Biteganijwe, Transferred,Yimuriwe, % Ordered,% Yategetse, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Ububiko busaba ibikoresho, Select warehouse for material requests,Hitamo ububiko bwibisabwa, Transfer Materials For Warehouse {0},Kohereza Ibikoresho Kububiko {0}, Production Plan Material Request Warehouse,Gahunda yumusaruro Ibikoresho bisabwa ububiko, -Set From Warehouse,Shyira mu bubiko, -Source Warehouse (Material Transfer),Ububiko bw'inkomoko (Kohereza ibikoresho), Sets 'Source Warehouse' in each row of the items table.,Gushiraho 'Inkomoko yububiko' muri buri murongo wibintu kumeza., Sets 'Target Warehouse' in each row of the items table.,Gushiraho 'Intego Ububiko' muri buri murongo wibintu kumeza., Show Cancelled Entries,Erekana ibyasibwe, @@ -9155,7 +9136,6 @@ Professional Tax,Umusoro wabigize umwuga, Is Income Tax Component,Nibigize Umusoro ku nyungu, Component properties and references ,Ibikoresho bigize ibice, Additional Salary ,Umushahara w'inyongera, -Condtion and formula,Imiterere na formula, Unmarked days,Iminsi itamenyekanye, Absent Days,Iminsi idahari, Conditions and Formula variable and example,Imiterere na formula ihindagurika nurugero, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Saba ikosa ritemewe, Please check your Plaid client ID and secret values,Nyamuneka reba indangamuntu yawe ya Plaid nindangagaciro, Bank transaction creation error,Ikosa ryo gushiraho banki, Unit of Measurement,Igice cyo gupima, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Umurongo # {}: Igiciro cyo kugurisha kubintu {} kiri munsi yacyo {}. Igiciro cyo kugurisha kigomba kuba byibuze {}, Fiscal Year {0} Does Not Exist,Umwaka w'Imari {0} Ntiriho, Row # {0}: Returned Item {1} does not exist in {2} {3},Umurongo # {0}: Ikintu cyagarutse {1} ntikibaho muri {2} {3}, Valuation type charges can not be marked as Inclusive,Ubwoko bw'igiciro cyo kwishyurwa ntibushobora gushyirwaho nkibirimo, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Shiraho Igihe Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Igihe cyo gusubiza kuri {0} icyambere kumurongo {1} ntishobora kurenza igihe cyo gukemura., {0} is not enabled in {1},{0} ntabwo ishoboye muri {1}, Group by Material Request,Itsinda kubisabwa, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Umurongo {0}: Kubatanga {0}, Aderesi imeri irasabwa kohereza imeri", Email Sent to Supplier {0},Imeri yoherejwe kubitanga {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Kubona Kubisaba Kuva Kumurongo Byahagaritswe. Kwemerera Kwinjira, Gushoboza muri Igenamiterere rya Port.", Supplier Quotation {0} Created,Abatanga isoko {0} Byakozwe, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Ibiro byose byahawe bigomb Account {0} exists in parent company {1}.,Konti {0} ibaho mubigo byababyeyi {1}., "To overrule this, enable '{0}' in company {1}","Kurenga ibi, shoboza '{0}' muri sosiyete {1}", Invalid condition expression,Imvugo itemewe, +Please Select a Company First,Nyamuneka Hitamo Isosiyete Mbere, +Please Select Both Company and Party Type First,Nyamuneka Hitamo Isosiyete Yombi nubwoko bwambere, +Provide the invoice portion in percent,Tanga igice cya fagitire ku ijana, +Give number of days according to prior selection,Tanga umubare wiminsi ukurikije guhitamo mbere, +Email Details,Imeri Ibisobanuro, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Hitamo indamutso kubakira. Urugero Bwana, Madamu, nibindi", +Preview Email,Imbere ya imeri, +Please select a Supplier,Nyamuneka hitamo Utanga isoko, +Supplier Lead Time (days),Utanga isoko Igihe (iminsi), +"Home, Work, etc.","Urugo, Akazi, nibindi", +Exit Interview Held On,Gusohoka Kubazwa Byakozwe, +Condition and formula,Imiterere na formula, +Sets 'Target Warehouse' in each row of the Items table.,Gushiraho 'Intego Ububiko' muri buri murongo wibintu., +Sets 'Source Warehouse' in each row of the Items table.,Gushiraho 'Inkomoko yububiko' muri buri murongo wibintu., +POS Register,Kwiyandikisha POS, +"Can not filter based on POS Profile, if grouped by POS Profile","Ntushobora gushungura ukurikije Umwirondoro wa POS, niba uhuriweho na POS Umwirondoro", +"Can not filter based on Customer, if grouped by Customer","Ntushobora gushungura ukurikije Umukiriya, niba uhurijwe hamwe nabakiriya", +"Can not filter based on Cashier, if grouped by Cashier","Ntushobora gushungura ushingiye kuri Cashier, niba uhujwe na Cashier", +Payment Method,Uburyo bwo Kwishura, +"Can not filter based on Payment Method, if grouped by Payment Method","Ntushobora gushungura ukurikije uburyo bwo Kwishura, niba byashyizwe hamwe nuburyo bwo Kwishura", +Supplier Quotation Comparison,Kugereranya Abatanga isoko, +Price per Unit (Stock UOM),Igiciro kuri buri gice (Stock UOM), +Group by Supplier,Itsinda ryabatanga isoko, +Group by Item,Itsinda ku kintu, +Remember to set {field_label}. It is required by {regulation}.,Wibuke gushiraho {umurima_label}. Irasabwa na {amabwiriza}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Itariki yo kwiyandikisha ntishobora kuba mbere yitariki yo gutangiriraho umwaka wamasomo {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Itariki yo kwiyandikisha ntishobora kuba nyuma yitariki yo kurangiriraho igihe cyamasomo {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Itariki yo kwiyandikisha ntishobora kuba mbere yitariki yo gutangiriraho igihe cyamasomo {0}, +Posting future transactions are not allowed due to Immutable Ledger,Kohereza ibikorwa bizaza ntibyemewe kubera Immutable Ledger, +Future Posting Not Allowed,Kohereza ejo hazaza ntibyemewe, +"To enable Capital Work in Progress Accounting, ","Gushoboza Igishoro Cyakazi Mubikorwa Byibaruramari,", +you must select Capital Work in Progress Account in accounts table,ugomba guhitamo Igishoro Cyakazi muri Konti Iterambere mumeza ya konti, +You can also set default CWIP account in Company {},Urashobora kandi gushiraho konti isanzwe ya CWIP muri Company {}, +The Request for Quotation can be accessed by clicking on the following button,Gusaba Quotation birashobora kugerwaho ukanze kuri buto ikurikira, +Regards,Kubaha, +Please click on the following button to set your new password,Nyamuneka kanda kuri buto ikurikira kugirango ushireho ijambo ryibanga rishya, +Update Password,Kuvugurura ijambo ryibanga, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Umurongo # {}: Igiciro cyo kugurisha kubintu {} kiri munsi yacyo {}. Kugurisha {} bigomba kuba byibura {}, +You can alternatively disable selling price validation in {} to bypass this validation.,Urashobora guhitamo guhagarika kugurisha kwemeza muri {} kugirango wirengagize iki cyemezo., +Invalid Selling Price,Igiciro cyo kugurisha kitemewe, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Aderesi igomba guhuzwa na Sosiyete. Nyamuneka ongeraho umurongo kuri Sosiyete kumeza Ihuza., +Company Not Linked,Isosiyete idahujwe, +Import Chart of Accounts from CSV / Excel files,Kuzana Imbonerahamwe ya Konti kuva muri dosiye ya CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',Qty yuzuye ntishobora kuba irenze 'Qty to Manufacture', +"Row {0}: For Supplier {1}, Email Address is Required to send an email","Umurongo {0}: Kubatanga {1}, Aderesi imeri irasabwa kohereza imeri", diff --git a/erpnext/translations/si.csv b/erpnext/translations/si.csv index fc1608d208..0058eae6bd 100644 --- a/erpnext/translations/si.csv +++ b/erpnext/translations/si.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,වර්ග Chargeble,අයකිරීම, Charges are updated in Purchase Receipt against each item,ගාස්තු එක් එක් අයිතමය එරෙහිව මිලදී ගැනීම රිසිට්පත යාවත්කාලීන වේ, "Charges will be distributed proportionately based on item qty or amount, as per your selection","ගාස්තු ඔබේ තෝරාගැනීම අනුව, අයිතමය යවන ලද හෝ මුදල මත පදනම් වන අතර සමානුපාතික බෙදා දීමට නියමිතය", -Chart Of Accounts,ගිණුම් සටහන, Chart of Cost Centers,පිරිවැය මධ්යස්ථාන සටහන, Check all,සියල්ල පරීක්ෂා කරන්න, Checkout,පරීක්ෂාකාරී වන්න, @@ -581,7 +580,6 @@ Company {0} does not exist,සමාගම {0} නොපවතියි, Compensatory Off,Off වන්දි, Compensatory leave request days not in valid holidays,වලංගු නිවාඩු නිවාඩු නොලැබේ, Complaint,පැමිණිල්ලක්, -Completed Qty can not be greater than 'Qty to Manufacture',අවසන් යවන ලද 'යවන ලද නිෂ්පාදනය සඳහා' ට වඩා වැඩි විය නොහැක, Completion Date,අවසන් කරන දිනය, Computer,පරිගණක, Condition,තත්වය, @@ -2033,7 +2031,6 @@ Please select Category first,කරුණාකර පළමු ප්රවර Please select Charge Type first,කරුණාකර භාර වර්ගය පළමු තෝරා, Please select Company,කරුණාකර සමාගම තෝරා, Please select Company and Designation,කරුණාකර සමාගම සහ තනතුර තෝරන්න, -Please select Company and Party Type first,කරුණාකර ප්රථම සමාගම හා පක්ෂ වර්ගය තෝරා, Please select Company and Posting Date to getting entries,කරුණාකර ඇතුළත් කිරීම සඳහා සමාගම හා දිනය පළ කිරීම තෝරන්න, Please select Company first,කරුණාකර සමාගම පළමු තෝරා, Please select Completion Date for Completed Asset Maintenance Log,සම්පුර්ණ කළ වත්කම් නඩත්තු ලොගය සඳහා අවසන් දිනය තෝරන්න, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,ඔබ ම The name of your company for which you are setting up this system.,ඔබ මෙම පද්ධතිය සකස්කර සඳහා ඔබේ සමාගම සඳහා වන නම., The number of shares and the share numbers are inconsistent,කොටස් ගණන හා කොටස් අංකය අස්ථාවර ය, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,{0} සැලැස්මෙහි ගෙවීම් ගෝල්ඩන් ගිණුම මෙම ගෙවීම් ඉල්ලීමේ ගෙවීම් ග්ලැට්වුඩ් ගිණුමෙන් වෙනස් වේ, -The request for quotation can be accessed by clicking on the following link,උද්ධෘත සඳහා කල ඉල්ලීම පහත සබැඳිය ක්ලික් කිරීම මගින් ප්රවේශ විය හැකි, The selected BOMs are not for the same item,තෝරාගත් BOMs එම අයිතමය සඳහා නොවේ, The selected item cannot have Batch,තෝරාගත් අයිතමය කණ්ඩායම ලබා ගත නොහැකි, The seller and the buyer cannot be the same,විකිණුම්කරු සහ ගැනුම්කරු සමාන විය නොහැකිය, @@ -3543,7 +3539,6 @@ Company GSTIN,සමාගම GSTIN, Company field is required,සමාගම් ක්ෂේත්‍රය අවශ්‍යයි, Creating Dimensions...,මානයන් නිර්මාණය කිරීම ..., Duplicate entry against the item code {0} and manufacturer {1},Code 0 item සහ නිෂ්පාදකයා {1 item යන අයිතම කේතයට එරෙහිව අනුපිටපත් ඇතුළත් කිරීම, -Import Chart Of Accounts from CSV / Excel files,CSV / Excel ලිපිගොනු වලින් ගිණුම් වගුව ආයාත කරන්න, 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 ආකෘතියට නොගැලපේ, Invoice Grand Total,ඉන්වොයිස් ග්‍රෑන්ඩ් එකතුව, Last carbon check date cannot be a future date,අවසාන කාබන් පිරික්සුම් දිනය අනාගත දිනයක් විය නොහැක, @@ -3920,7 +3915,6 @@ Plaid authentication error,සරල සත්‍යාපන දෝෂයකි Plaid public token error,පොදු ටෝකන දෝෂයකි, Plaid transactions sync error,සාමාන්‍ය ගනුදෙනු සමමුහුර්ත කිරීමේ දෝෂයකි, Please check the error log for details about the import errors,ආයාත කිරීමේ දෝෂ පිළිබඳ විස්තර සඳහා කරුණාකර දෝෂ ලොගය පරීක්ෂා කරන්න, -Please click on the following link to set your new password,ඔබේ අලුත් රහස් වචනයක් සඳහා පහත සබැඳිය ක්ලික් කරන්න, Please create DATEV Settings for Company {}.,කරුණාකර සමාගම සඳහා DATEV සැකසුම් සාදන්න }} ., Please create adjustment Journal Entry for amount {0} ,කරුණාකර adjust 0 amount මුදල සඳහා ගැලපුම් ජර්නල් ප්‍රවේශය සාදන්න, Please do not create more than 500 items at a time,කරුණාකර වරකට අයිතම 500 කට වඩා සාදන්න එපා, @@ -4043,7 +4037,6 @@ Search results for,සඳහා ගවේෂණ ප්රතිඵල, Select All,සියලු තෝරන්න, Select Difference Account,වෙනස ගිණුම තෝරන්න, Select a Default Priority.,පෙරනිමි ප්‍රමුඛතාවයක් තෝරන්න., -Select a Supplier from the Default Supplier List of the items below.,පෙරනිමි සැපයුම්කරු ලැයිස්තුවෙන් සැපයුම්කරුවෙකු තෝරන්න පහත අයිතම., Select a company,සමාගමක් තෝරන්න, Select finance book for the item {0} at row {1},{1 row පේළියේ {0 item අයිතමය සඳහා මූල්‍ය පොත තෝරන්න, Select only one Priority as Default.,පෙරනිමියෙන් එක් ප්‍රමුඛතාවයක් පමණක් තෝරන්න., @@ -4247,7 +4240,6 @@ Yes,ඔව්, Actual ,සැබෑ, Add to cart,ගැලට එක් කරන්න, Budget,අයවැය, -Chart Of Accounts Importer,ගිණුම් ආනයනකරුගේ සටහන, Chart of Accounts,ගිණුම් සටහන, Customer database.,ගනුදෙනුකාර දත්ත ගබඩාව., Days Since Last order,පසුගිය සාමය නිසා දින, @@ -4939,7 +4931,6 @@ Closing Account Head,වසා ගිණුම ප්රධානී, POS Customer Group,POS කස්ටමර් සමූහයේ, POS Field,POS ක්ෂේත්‍රය, POS Item Group,POS අයිතමය සමූහ, -[Select],[තෝරන්න], Company Address,සමාගම ලිපිනය, Update Stock,කොටස් යාවත්කාලීන, Ignore Pricing Rule,මිල නියම කිරීම පාලනය නොසලකා, @@ -6597,11 +6588,6 @@ Relieving Date,ලිහිල් දිනය, Reason for Leaving,බැහැරවීම හේතුව, Leave Encashed?,Encashed ගියාද?, Encashment Date,හැකි ඥාතීන් නොවන දිනය, -Exit Interview Details,පිටවීමේ සම්මුඛ පරීක්ෂණ විස්තර, -Held On,දා පැවති, -Reason for Resignation,ඉ ලා අස් හේතුව, -Better Prospects,වඩා හොඳ අපේක්ෂා, -Health Concerns,සෞඛ්ය කනස්සල්ල, New Workplace,නව සේවා ස්ථාන, HR-EAD-.YYYY.-,HR-EAD-.YYY-, Returned Amount,ආපසු ලබා දුන් මුදල, @@ -8237,9 +8223,6 @@ Landed Cost Help,වියදම උදවු ගොඩ බස්වන ලද Manufacturers used in Items,අයිතම භාවිතා නිෂ්පාදකයන්, Limited to 12 characters,අක්ෂර 12 කට සීමා, MAT-MR-.YYYY.-,MAT-MR-.YYY-, -Set Warehouse,ගබඩාව සකසන්න, -Sets 'For Warehouse' in each row of the Items table.,අයිතම වගුවේ එක් එක් පේළියේ 'ගබඩාව සඳහා' සකසයි., -Requested For,සඳහා ඉල්ලා, Partially Ordered,අර්ධ වශයෙන් ඇණවුම් කර ඇත, Transferred,මාරු, % Ordered,% අනුපිළිවලින්, @@ -8688,8 +8671,6 @@ Material Request Warehouse,ද්‍රව්‍ය ඉල්ලීම් ගබ Select warehouse for material requests,ද්‍රව්‍යමය ඉල්ලීම් සඳහා ගබඩාව තෝරන්න, Transfer Materials For Warehouse {0},ගබඩාව සඳහා ද්‍රව්‍ය මාරු කිරීම {0}, Production Plan Material Request Warehouse,නිෂ්පාදන සැලැස්ම ද්‍රව්‍ය ඉල්ලීම් ගබඩාව, -Set From Warehouse,ගබඩාවෙන් සකසන්න, -Source Warehouse (Material Transfer),ප්‍රභව ගබඩාව (ද්‍රව්‍ය හුවමාරුව), Sets 'Source Warehouse' in each row of the items table.,අයිතම වගුවේ එක් එක් පේළියේ 'ප්‍රභව ගබඩාව' සකසයි., Sets 'Target Warehouse' in each row of the items table.,අයිතම වගුවේ එක් එක් පේළියේ 'ඉලක්කගත ගබඩාව' සකසයි., Show Cancelled Entries,අවලංගු කළ සටහන් පෙන්වන්න, @@ -9155,7 +9136,6 @@ Professional Tax,වෘත්තීය බද්ද, Is Income Tax Component,ආදායම් බදු සංරචකය වේ, Component properties and references ,සංරචක ගුණාංග සහ යොමු කිරීම්, Additional Salary ,අමතර වැටුප, -Condtion and formula,තත්වය සහ සූත්‍රය, Unmarked days,සලකුණු නොකළ දින, Absent Days,නොපැමිණෙන දින, Conditions and Formula variable and example,කොන්දේසි සහ සූත්‍ර විචල්‍යය සහ උදාහරණය, @@ -9442,7 +9422,6 @@ Plaid invalid request error,අවලංගු ඉල්ලීම් දෝෂ Please check your Plaid client ID and secret values,කරුණාකර ඔබේ ප්ලේඩ් ග්‍රාහක හැඳුනුම්පත සහ රහස් අගයන් පරීක්ෂා කරන්න, Bank transaction creation error,බැංකු ගනුදෙනු නිර්මාණය කිරීමේ දෝෂයකි, Unit of Measurement,මිනුම් ඒකකය, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},පේළිය # {}: item item අයිතමය සඳහා විකුණුම් අනුපාතය එහි {than ට වඩා අඩුය. විකුණුම් අනුපාතය අවම වශයෙන් විය යුතුය}}, Fiscal Year {0} Does Not Exist,මූල්‍ය වර්ෂය {0 Ex නොපවතී, Row # {0}: Returned Item {1} does not exist in {2} {3},පේළිය # {0}: ආපසු ලබා දුන් අයිතමය {1} {2} {3 in හි නොපවතී, Valuation type charges can not be marked as Inclusive,තක්සේරු වර්ගයේ ගාස්තු ඇතුළත් බව සලකුණු කළ නොහැක, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,{1 row පේ Response Time for {0} priority in row {1} can't be greater than Resolution Time.,{1 row පේළියේ {0} ප්‍රමුඛතා සඳහා ප්‍රතිචාර කාලය විභේදන වේලාවට වඩා වැඩි විය නොහැක., {0} is not enabled in {1},{0 in {1 in හි සක්‍රීය කර නැත, Group by Material Request,ද්‍රව්‍යමය ඉල්ලීම අනුව සමූහය, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","පේළිය {0}: සැපයුම්කරු {0 For සඳහා, විද්‍යුත් තැපෑල යැවීමට ඊමේල් ලිපිනය අවශ්‍ය වේ", Email Sent to Supplier {0},සැපයුම්කරු වෙත විද්‍යුත් තැපෑල යවන ලදි {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","ද්වාරය වෙතින් මිල කැඳවීම සඳහා වන ප්‍රවේශය අක්‍රීය කර ඇත. ප්‍රවේශ වීමට ඉඩ දීමට, ද්වාර සැකසුම් තුළ එය සක්‍රීය කරන්න.", Supplier Quotation {0} Created,සැපයුම්කරු මිල ගණන් {0} නිර්මාණය කරන ලදි, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},පවරා ඇති ම Account {0} exists in parent company {1}.,මව් සමාගමෙහි {0 Account ගිණුම පවතී {1}., "To overrule this, enable '{0}' in company {1}","මෙය අවලංගු කිරීමට, company 1 company සමාගම තුළ '{0}' සක්‍රීය කරන්න", Invalid condition expression,අවලංගු තත්ව ප්‍රකාශනය, +Please Select a Company First,කරුණාකර පළමුව සමාගමක් තෝරන්න, +Please Select Both Company and Party Type First,කරුණාකර පළමුව සමාගම සහ පක්ෂ වර්ගය තෝරන්න, +Provide the invoice portion in percent,ඉන්වොයිස් කොටස ප්‍රතිශතයකින් ලබා දෙන්න, +Give number of days according to prior selection,පෙර තේරීම අනුව දින ගණනක් දෙන්න, +Email Details,විද්‍යුත් තැපැල් විස්තර, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","ලබන්නාට සුබ පැතුම් තෝරන්න. උදා: මහත්මයා, මහත්මිය.", +Preview Email,ඊ-තැපෑල පෙරදසුන් කරන්න, +Please select a Supplier,කරුණාකර සැපයුම්කරුවෙකු තෝරන්න, +Supplier Lead Time (days),සැපයුම්කරුගේ ඊයම් කාලය (දින), +"Home, Work, etc.","නිවස, වැඩ ආදිය.", +Exit Interview Held On,සම්මුඛ පරීක්ෂණයෙන් පිටවීම, +Condition and formula,තත්වය සහ සූත්‍රය, +Sets 'Target Warehouse' in each row of the Items table.,අයිතම වගුවේ එක් එක් පේළියේ 'ඉලක්කගත ගබඩාව' සකසයි., +Sets 'Source Warehouse' in each row of the Items table.,අයිතම වගුවේ එක් එක් පේළියේ 'ප්‍රභව ගබඩාව' සකසයි., +POS Register,POS ලේඛනය, +"Can not filter based on POS Profile, if grouped by POS Profile",POS පැතිකඩ අනුව කාණ්ඩගත කර ඇත්නම් POS පැතිකඩ මත පදනම්ව පෙරහන් කළ නොහැක, +"Can not filter based on Customer, if grouped by Customer",ගනුදෙනුකරු විසින් කාණ්ඩගත කර ඇත්නම් පාරිභෝගිකයා මත පදනම්ව පෙරහන් කළ නොහැක, +"Can not filter based on Cashier, if grouped by Cashier","මුදල් අයකැමි විසින් කාණ්ඩගත කර ඇත්නම්, අයකැමි මත පදනම්ව පෙරහන් කළ නොහැක", +Payment Method,ගෙවීමේ ක්රමය, +"Can not filter based on Payment Method, if grouped by Payment Method",ගෙවීම් ක්‍රමය අනුව කාණ්ඩගත කර ඇත්නම් ගෙවීම් ක්‍රමය මත පදනම්ව පෙරහන් කළ නොහැක, +Supplier Quotation Comparison,සැපයුම්කරු මිල ගණන් සංසන්දනය, +Price per Unit (Stock UOM),ඒකකයකට මිල (කොටස් UOM), +Group by Supplier,සැපයුම්කරු විසින් සමූහය, +Group by Item,අයිතමය අනුව සමූහය, +Remember to set {field_label}. It is required by {regulation}.,{Field_label set සැකසීමට මතක තබා ගන්න. එය අවශ්‍ය වන්නේ {නියාමනය by මගිනි., +Enrollment Date cannot be before the Start Date of the Academic Year {0},ඇතුළත් වීමේ දිනය අධ්‍යයන වර්ෂයේ ආරම්භක දිනයට පෙර විය නොහැක {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},බඳවා ගැනීමේ දිනය අධ්‍යයන වාරයේ අවසන් දිනට පසුව විය නොහැක {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},ඇතුළත් වීමේ දිනය අධ්‍යයන වාරයේ ආරම්භක දිනයට පෙර විය නොහැක {0}, +Posting future transactions are not allowed due to Immutable Ledger,වෙනස් කළ නොහැකි ලෙජරය නිසා අනාගත ගනුදෙනු පළ කිරීමට අවසර නැත, +Future Posting Not Allowed,අනාගත පළකිරීමට අවසර නැත, +"To enable Capital Work in Progress Accounting, ",ප්‍රගති ගිණුම්කරණයේ ප්‍රාග්ධන වැඩ සක්‍රීය කිරීම සඳහා, +you must select Capital Work in Progress Account in accounts table,ගිණුම් වගුවේ ප්‍රගති ගිණුමේ ප්‍රාග්ධන වැඩ තෝරාගත යුතුය, +You can also set default CWIP account in Company {},සමාගම} in හි ඔබට සුපුරුදු CWIP ගිණුම සැකසිය හැකිය., +The Request for Quotation can be accessed by clicking on the following button,පහත දැක්වෙන බොත්තම ක්ලික් කිරීමෙන් මිල කැඳවීම සඳහා ඉල්ලීම ලබා ගත හැකිය, +Regards,සුභ පැතුම්, +Please click on the following button to set your new password,ඔබගේ නව මුරපදය සැකසීමට කරුණාකර පහත බොත්තම ක්ලික් කරන්න, +Update Password,මුරපදය යාවත්කාලීන කරන්න, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},පේළිය # {}: item item අයිතමය සඳහා විකුණුම් අනුපාතය එහි {than ට වඩා අඩුය. {} විකිණීම අවම වශයෙන් විය යුතුය}}, +You can alternatively disable selling price validation in {} to bypass this validation.,මෙම වලංගු කිරීම මඟ හැරීම සඳහා ඔබට විකල්ප වශයෙන් {in හි විකුණුම් මිල වලංගු කිරීම අක්‍රිය කළ හැකිය., +Invalid Selling Price,වලංගු නොවන විකුණුම් මිල, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,ලිපිනය සමාගමකට සම්බන්ධ කළ යුතුය. කරුණාකර සමාගම සඳහා පේළියක් සබැඳි වගුවේ එක් කරන්න., +Company Not Linked,සමාගම සම්බන්ධ නොවේ, +Import Chart of Accounts from CSV / Excel files,CSV / Excel ලිපිගොනු වලින් ගිණුම් වගුව ආයාත කරන්න, +Completed Qty cannot be greater than 'Qty to Manufacture',සම්පුර්ණ කරන ලද Qty 'නිෂ්පාදනය සඳහා Qty' ට වඩා වැඩි විය නොහැක, +"Row {0}: For Supplier {1}, Email Address is Required to send an email","පේළිය {0}: සැපයුම්කරු {1 For සඳහා, විද්‍යුත් තැපෑලක් යැවීමට විද්‍යුත් ලිපිනය අවශ්‍ය වේ", diff --git a/erpnext/translations/sk.csv b/erpnext/translations/sk.csv index 6046f4eacd..0eac63863d 100644 --- a/erpnext/translations/sk.csv +++ b/erpnext/translations/sk.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Obvinění z Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,Poplatky jsou aktualizovány v dokladu o koupi na každou položku, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Poplatky budou rozděleny úměrně na základě položky Množství nebo částkou, dle Vašeho výběru", -Chart Of Accounts,Účtovný rozvrh, Chart of Cost Centers,Diagram nákladových stredísk, Check all,Skontrolovať všetko, Checkout,Odhlásiť sa, @@ -581,7 +580,6 @@ Company {0} does not exist,Spoločnosť {0} neexistuje, Compensatory Off,Náhradné voľno, Compensatory leave request days not in valid holidays,Kompenzačné dni žiadosti o dovolenku nie sú v platných sviatkoch, Complaint,sťažnosť, -Completed Qty can not be greater than 'Qty to Manufacture',"Dokončené množství nemůže být větší než ""Množství do výroby""", Completion Date,Dokončení Datum, Computer,Počítač, Condition,Podmienka, @@ -2033,7 +2031,6 @@ Please select Category first,Nejdřív vyberte kategorii, Please select Charge Type first,"Prosím, vyberte druh tarifu první", Please select Company,"Prosím, vyberte spoločnosť", Please select Company and Designation,Vyberte spoločnosť a označenie, -Please select Company and Party Type first,Vyberte první společnost a Party Typ, Please select Company and Posting Date to getting entries,Zvoľte Spoločnosť a dátum odoslania na zadanie záznamov, Please select Company first,"Prosím, vyberte najprv firmu", Please select Completion Date for Completed Asset Maintenance Log,Vyberte dátum dokončenia pre dokončený protokol údržby majetku, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Názov inšt The name of your company for which you are setting up this system.,"Názov spoločnosti, pre ktorú nastavujete tento systém", The number of shares and the share numbers are inconsistent,Počet akcií a čísla akcií je nekonzistentný, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Účet platobnej brány v pláne {0} sa líši od účtu platobnej brány v tejto žiadosti o platbu, -The request for quotation can be accessed by clicking on the following link,Žiadosť o cenovú ponuku je možné pristupovať kliknutím na nasledujúci odkaz, The selected BOMs are not for the same item,Vybrané kusovníky nie sú rovnaké položky, The selected item cannot have Batch,Vybraná položka nemôže mať dávku, The seller and the buyer cannot be the same,Predávajúci a kupujúci nemôžu byť rovnakí, @@ -3543,7 +3539,6 @@ Company GSTIN,IČDPH firmy, Company field is required,Pole spoločnosti je povinné, Creating Dimensions...,Vytvára sa dimenzia ..., Duplicate entry against the item code {0} and manufacturer {1},Duplikát oproti kódu položky {0} a výrobcovi {1}, -Import Chart Of Accounts from CSV / Excel files,Importujte účtovnú schému zo súborov CSV / Excel, 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 nerezidentných poskytovateľov služieb OIDAR, Invoice Grand Total,Celková faktúra, Last carbon check date cannot be a future date,Posledný dátum kontroly uhlíkom nemôže byť budúcim dátumom, @@ -3920,7 +3915,6 @@ Plaid authentication error,Chyba overeného overenia, Plaid public token error,Plaid public token error, Plaid transactions sync error,Chyba synchronizácie prehľadných transakcií, Please check the error log for details about the import errors,Podrobnosti o chybách importu nájdete v protokole chýb, -Please click on the following link to set your new password,"Prosím klikněte na následující odkaz, pro nastavení nového hesla", Please create DATEV Settings for Company {}.,Vytvorte nastavenia spoločnosti DATEV pre spoločnosť {} ., Please create adjustment Journal Entry for amount {0} ,Vytvorte opravný zápis do denníka pre sumu {0}, Please do not create more than 500 items at a time,Nevytvárajte naraz viac ako 500 položiek, @@ -4043,7 +4037,6 @@ Search results for,Výsledky vyhľadávania pre, Select All,Označiť všetko, Select Difference Account,Vyberte rozdielny účet, Select a Default Priority.,Vyberte predvolenú prioritu., -Select a Supplier from the Default Supplier List of the items below.,Vyberte dodávateľa z Predvoleného zoznamu dodávateľov z nižšie uvedených položiek., Select a company,Vyberte spoločnosť, Select finance book for the item {0} at row {1},Vyberte finančnú knihu pre položku {0} v riadku {1}, Select only one Priority as Default.,Ako predvolenú vyberte iba jednu prioritu., @@ -4247,7 +4240,6 @@ Yes,Áno, Actual ,Aktuální, Add to cart,Pridať do košíka, Budget,rozpočet, -Chart Of Accounts Importer,Dovozca účtovej osnovy, Chart of Accounts,Účtová osnova, Customer database.,Databáza zákazníkov., Days Since Last order,Počet dnů od poslední objednávky, @@ -4939,7 +4931,6 @@ Closing Account Head,Závěrečný účet hlava, POS Customer Group,POS Customer Group, POS Field,Pole POS, POS Item Group,POS položky Group, -[Select],[Vybrať], Company Address,Adresa spoločnosti, Update Stock,Aktualizace skladem, Ignore Pricing Rule,Ignorovat Ceny pravidlo, @@ -6597,11 +6588,6 @@ Relieving Date,Uvolnění Datum, Reason for Leaving,Dôvod priepustky, Leave Encashed?,Ponechte zpeněžení?, Encashment Date,Inkaso Datum, -Exit Interview Details,Exit Rozhovor Podrobnosti, -Held On,Které se konalo dne, -Reason for Resignation,Dôvod rezignácie, -Better Prospects,Lepší vyhlídky, -Health Concerns,Zdravotní Obavy, New Workplace,Nové pracovisko, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Vrátená suma, @@ -8237,9 +8223,6 @@ Landed Cost Help,Přistálo Náklady Help, Manufacturers used in Items,Výrobcovia používané v bodoch, Limited to 12 characters,Obmedzené na 12 znakov, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Nastaviť sklad, -Sets 'For Warehouse' in each row of the Items table.,Nastavuje možnosť „Na sklad“ v každom riadku tabuľky Položky., -Requested For,Požadovaných pro, Partially Ordered,Čiastočne objednané, Transferred,prevedená, % Ordered,% Objednané, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Sklad žiadosti o materiál, Select warehouse for material requests,Vyberte sklad pre požiadavky na materiál, Transfer Materials For Warehouse {0},Prenos materiálov do skladu {0}, Production Plan Material Request Warehouse,Sklad požiadaviek na materiál výrobného plánu, -Set From Warehouse,Nastavené zo skladu, -Source Warehouse (Material Transfer),Zdrojový sklad (prenos materiálu), Sets 'Source Warehouse' in each row of the items table.,Nastavuje „Zdrojový sklad“ v každom riadku tabuľky položiek., Sets 'Target Warehouse' in each row of the items table.,Nastavuje „Cieľový sklad“ v každom riadku tabuľky položiek., Show Cancelled Entries,Zobraziť zrušené záznamy, @@ -9155,7 +9136,6 @@ Professional Tax,Profesionálna daň, Is Income Tax Component,Je zložkou dane z príjmu, Component properties and references ,Vlastnosti komponentov a odkazy, Additional Salary ,Dodatočný plat, -Condtion and formula,Podmienka a vzorec, Unmarked days,Neoznačené dni, Absent Days,Neprítomné dni, Conditions and Formula variable and example,Premenná podmienok a príkladu a vzorec, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Chyba neplatnej žiadosti o prehlásenie, Please check your Plaid client ID and secret values,Skontrolujte svoje ID klienta a tajné hodnoty, Bank transaction creation error,Chyba pri vytváraní bankových transakcií, Unit of Measurement,Jednotka merania, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Riadok č. {}: Miera predaja položky {} je nižšia ako hodnota {}. Miera predaja by mala byť minimálne {}, Fiscal Year {0} Does Not Exist,Fiškálny rok {0} neexistuje, Row # {0}: Returned Item {1} does not exist in {2} {3},Riadok č. {0}: Vrátená položka {1} neexistuje v doméne {2} {3}, Valuation type charges can not be marked as Inclusive,Poplatky typu ocenenia nemožno označiť ako inkluzívne, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Nastavte čas Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Čas odozvy pre {0} prioritu v riadku {1} nemôže byť väčší ako Čas rozlíšenia., {0} is not enabled in {1},Aplikácia {0} nie je povolená v doméne {1}, Group by Material Request,Zoskupiť podľa žiadosti o materiál, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Riadok {0}: Pre dodávateľa {0} je na odosielanie e-mailových správ vyžadovaná e-mailová adresa, Email Sent to Supplier {0},E-mail odoslaný dodávateľovi {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Prístup k žiadosti o cenovú ponuku z portálu je zakázaný. Ak chcete povoliť prístup, povoľte ho v nastaveniach portálu.", Supplier Quotation {0} Created,Cenová ponuka dodávateľa {0} bola vytvorená, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Celková pridelená hmotno Account {0} exists in parent company {1}.,Účet {0} existuje v materskej spoločnosti {1}., "To overrule this, enable '{0}' in company {1}","Ak to chcete prekonať, povoľte „{0}“ v spoločnosti {1}", Invalid condition expression,Neplatný výraz podmienky, +Please Select a Company First,Najskôr vyberte spoločnosť, +Please Select Both Company and Party Type First,Najskôr vyberte spoločnosť a typ strany, +Provide the invoice portion in percent,Poskytnite časť faktúry v percentách, +Give number of days according to prior selection,Uveďte počet dní podľa predchádzajúceho výberu, +Email Details,E-mailové podrobnosti, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Vyberte pozdrav pre príjemcu. Napr. Pán, pani atď.", +Preview Email,Zobraziť ukážku e-mailu, +Please select a Supplier,Vyberte dodávateľa, +Supplier Lead Time (days),Dodací čas dodávateľa (dni), +"Home, Work, etc.","Domov, Práca atď.", +Exit Interview Held On,Ukončený pohovor, +Condition and formula,Podmienka a vzorec, +Sets 'Target Warehouse' in each row of the Items table.,Nastavuje „Cieľový sklad“ v každom riadku tabuľky Položky., +Sets 'Source Warehouse' in each row of the Items table.,Nastavuje „Zdrojový sklad“ v každom riadku tabuľky Položky., +POS Register,POS register, +"Can not filter based on POS Profile, if grouped by POS Profile","Nie je možné filtrovať na základe POS profilu, ak je zoskupený podľa POS profilu", +"Can not filter based on Customer, if grouped by Customer","Nie je možné filtrovať na základe zákazníka, ak je zoskupený podľa zákazníka", +"Can not filter based on Cashier, if grouped by Cashier","Nie je možné filtrovať na základe pokladne, ak je zoskupená podľa pokladníka", +Payment Method,Spôsob platby, +"Can not filter based on Payment Method, if grouped by Payment Method","Nie je možné filtrovať na základe spôsobu platby, ak je zoskupený podľa spôsobu platby", +Supplier Quotation Comparison,Porovnanie ponúk dodávateľa, +Price per Unit (Stock UOM),Cena za jednotku (skladové množstvo), +Group by Supplier,Zoskupiť podľa dodávateľa, +Group by Item,Zoskupiť podľa položky, +Remember to set {field_label}. It is required by {regulation}.,Nezabudnite nastaviť {field_label}. Vyžaduje sa {nariadením}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Dátum registrácie nemôže byť skôr ako dátum začatia akademického roka {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Dátum registrácie nemôže byť po dátume ukončenia akademického obdobia {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Dátum registrácie nemôže byť skôr ako dátum začiatku akademického obdobia {0}, +Posting future transactions are not allowed due to Immutable Ledger,Zúčtovanie budúcich transakcií nie je povolené z dôvodu Immutable Ledger, +Future Posting Not Allowed,Budúce zverejňovanie nie je povolené, +"To enable Capital Work in Progress Accounting, ","Ak chcete povoliť postupné účtovanie kapitálu,", +you must select Capital Work in Progress Account in accounts table,v tabuľke účtov musíte vybrať Účet rozpracovaného kapitálu, +You can also set default CWIP account in Company {},Môžete tiež nastaviť predvolený účet CWIP v spoločnosti {}, +The Request for Quotation can be accessed by clicking on the following button,K žiadosti o cenovú ponuku sa dostanete kliknutím na nasledujúce tlačidlo, +Regards,S pozdravom, +Please click on the following button to set your new password,Kliknutím na nasledujúce tlačidlo nastavíte svoje nové heslo, +Update Password,Aktualizujte heslo, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Riadok č. {}: Miera predaja položky {} je nižšia ako hodnota {}. Predaj {} by mal byť minimálne {}, +You can alternatively disable selling price validation in {} to bypass this validation.,"Alternatívne môžete deaktivovať overenie predajnej ceny v {}, aby ste obišli toto overenie.", +Invalid Selling Price,Neplatná predajná cena, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Adresa musí byť prepojená so spoločnosťou. V tabuľke odkazov pridajte riadok pre spoločnosť., +Company Not Linked,Spoločnosť neprepojená, +Import Chart of Accounts from CSV / Excel files,Importujte účtovnú osnovu zo súborov CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',Vyplnené množstvo nemôže byť väčšie ako „Množstvo do výroby“, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",Riadok {0}: Pre dodávateľa {1} je na odoslanie e-mailu vyžadovaná e-mailová adresa, diff --git a/erpnext/translations/sl.csv b/erpnext/translations/sl.csv index ba5359714a..b2732fad6f 100644 --- a/erpnext/translations/sl.csv +++ b/erpnext/translations/sl.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Naboj tip &qu Chargeble,Polnilna, Charges are updated in Purchase Receipt against each item,Dajatve so posodobljeni v Potrdilo o nakupu ob vsaki postavki, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Dajatve bodo razdeljeni sorazmerno na podlagi postavka Kol ali znesek, glede na vašo izbiro", -Chart Of Accounts,Kontni načrt, Chart of Cost Centers,Grafikon stroškovnih mest, Check all,Preveri vse, Checkout,Naročilo, @@ -581,7 +580,6 @@ Company {0} does not exist,Podjetje {0} ne obstaja, Compensatory Off,Kompenzacijske Off, Compensatory leave request days not in valid holidays,Zahtevki za nadomestni dopust ne veljajo v veljavnih praznikih, Complaint,Pritožba, -Completed Qty can not be greater than 'Qty to Manufacture',Dopolnil Količina ne sme biti večja od "Kol za Izdelava", Completion Date,datum dokončanja, Computer,Računalnik, Condition,Pogoj, @@ -2033,7 +2031,6 @@ Please select Category first,"Prosimo, izberite kategorijo najprej", Please select Charge Type first,"Prosimo, izberite Charge Vrsta najprej", Please select Company,"Prosimo, izberite Company", Please select Company and Designation,Izberite podjetje in določitev, -Please select Company and Party Type first,Izberite podjetja in Zabava Vrsta najprej, Please select Company and Posting Date to getting entries,"Prosimo, izberite Podjetje in Datum objave, da vnesete vnose", Please select Company first,"Prosimo, izberite Company najprej", Please select Completion Date for Completed Asset Maintenance Log,"Prosimo, izberite Datum zaključka za zaključen dnevnik vzdrževanja sredstev", @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,"Ime zavoda, The name of your company for which you are setting up this system.,"Ime vašega podjetja, za katero ste vzpostavitvijo tega sistema.", The number of shares and the share numbers are inconsistent,Število delnic in številke delnic so neskladne, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Račun plačilnega prehoda v načrtu {0} se razlikuje od računa prehoda plačila v tej zahtevi za plačilo, -The request for quotation can be accessed by clicking on the following link,Zahteva za ponudbo lahko dostopate s klikom na spodnjo povezavo, The selected BOMs are not for the same item,Izbrani BOMs niso na isti točki, The selected item cannot have Batch,Izbrana postavka ne more imeti Batch, The seller and the buyer cannot be the same,Prodajalec in kupec ne moreta biti isti, @@ -3543,7 +3539,6 @@ Company GSTIN,Podjetje GSTIN, Company field is required,Polje podjetja je obvezno, Creating Dimensions...,Ustvarjanje dimenzij ..., Duplicate entry against the item code {0} and manufacturer {1},Podvojen vnos s kodo izdelka {0} in proizvajalcem {1}, -Import Chart Of Accounts from CSV / Excel files,Uvoz računov iz datotek CSV / Excel, 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 ne ustreza formatu GSTIN za imetnike UIN ali nerezidentne ponudnike storitev OIDAR, Invoice Grand Total,Račun za skupni znesek, Last carbon check date cannot be a future date,Zadnji datum preverjanja emisij ogljika ne more biti prihodnji datum, @@ -3920,7 +3915,6 @@ Plaid authentication error,Napačna avtentikacija, Plaid public token error,Napaka v javnem žetonu, Plaid transactions sync error,Napaka sinhronizacije transakcij v plaidu, Please check the error log for details about the import errors,Preverite dnevnik napak za podrobnosti o napakah pri uvozu, -Please click on the following link to set your new password,"Prosimo, kliknite na spodnjo povezavo, da nastavite novo geslo", Please create DATEV Settings for Company {}.,Ustvarite nastavitve DATEV za podjetje {} ., Please create adjustment Journal Entry for amount {0} ,Ustvarite prilagoditev Vnos dnevnika za znesek {0}, Please do not create more than 500 items at a time,Ne ustvarite več kot 500 elementov hkrati, @@ -4043,7 +4037,6 @@ Search results for,Rezultati iskanja, Select All,Izberi vse, Select Difference Account,Izberite račun za razlike, Select a Default Priority.,Izberite privzeto prioriteto., -Select a Supplier from the Default Supplier List of the items below.,Izberite dobavitelja s privzetega seznama dobaviteljev spodaj., Select a company,Izberite podjetje, Select finance book for the item {0} at row {1},Izberite knjigo financ za postavko {0} v vrstici {1}, Select only one Priority as Default.,Za privzeto izberite samo eno prednostno nalogo., @@ -4247,7 +4240,6 @@ Yes,Da, Actual ,Actual, Add to cart,Dodaj v voziček, Budget,Proračun, -Chart Of Accounts Importer,Kazalnik računov Uvoznik, Chart of Accounts,Kontni načrt, Customer database.,Podatkovna baza strank., Days Since Last order,Dni od zadnjega naročila, @@ -4939,7 +4931,6 @@ Closing Account Head,Zapiranje računa Head, POS Customer Group,POS Group stranke, POS Field,POS polje, POS Item Group,POS Element Group, -[Select],[Izberite], Company Address,Naslov podjetja, Update Stock,Posodobi zalogo, Ignore Pricing Rule,Ignoriraj pravilo Cenitve, @@ -6597,11 +6588,6 @@ Relieving Date,Lajšanje Datum, Reason for Leaving,Razlog za odhod, Leave Encashed?,Dopusta unovčijo?, Encashment Date,Vnovčevanje Datum, -Exit Interview Details,Exit Intervju Podrobnosti, -Held On,Datum, -Reason for Resignation,Razlog za odstop, -Better Prospects,Boljši obeti, -Health Concerns,Zdravje, New Workplace,Novo delovno mesto, HR-EAD-.YYYY.-,HR-EAD-.LLLL.-, Returned Amount,Vrnjeni znesek, @@ -8237,9 +8223,6 @@ Landed Cost Help,Pristali Stroški Pomoč, Manufacturers used in Items,"Proizvajalci, ki se uporabljajo v postavkah", Limited to 12 characters,Omejena na 12 znakov, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Set Warehouse, -Sets 'For Warehouse' in each row of the Items table.,V vsaki vrstici tabele Predmeti nastavi »Za skladišče«., -Requested For,Zaprosila za, Partially Ordered,Delno naročeno, Transferred,Preneseni, % Ordered,% Naročeno, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Skladišče zahtev za material, Select warehouse for material requests,Izberite skladišče za zahteve po materialu, Transfer Materials For Warehouse {0},Prenos materiala za skladišče {0}, Production Plan Material Request Warehouse,Skladišče zahtev za material načrta proizvodnje, -Set From Warehouse,Set iz skladišča, -Source Warehouse (Material Transfer),Izvorno skladišče (prenos materiala), Sets 'Source Warehouse' in each row of the items table.,Nastavi 'Izvorno skladišče' v vsaki vrstici tabele elementov., Sets 'Target Warehouse' in each row of the items table.,V vsako vrstico tabele postavk nastavi »Target Warehouse«., Show Cancelled Entries,Prikaži preklicane vnose, @@ -9155,7 +9136,6 @@ Professional Tax,Poklicni davek, Is Income Tax Component,Je sestavina davka na dohodek, Component properties and references ,Lastnosti komponent in reference, Additional Salary ,Dodatna plača, -Condtion and formula,Stanje in formula, Unmarked days,Neoznačeni dnevi, Absent Days,Odsotni dnevi, Conditions and Formula variable and example,Pogoji in spremenljivka formule in primer, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Napaka neveljavne zahteve plaida, Please check your Plaid client ID and secret values,"Prosimo, preverite svoj ID odjemalca Plaid in tajne vrednosti", Bank transaction creation error,Napaka pri ustvarjanju bančne transakcije, Unit of Measurement,Merska enota, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Vrstica št. {}: Stopnja prodaje izdelka {} je nižja od vrednosti {}. Stopnja prodaje mora biti najmanj {}, Fiscal Year {0} Does Not Exist,Proračunsko leto {0} ne obstaja, Row # {0}: Returned Item {1} does not exist in {2} {3},Vrstica št. {0}: Vrnjeni izdelek {1} ne obstaja v {2} {3}, Valuation type charges can not be marked as Inclusive,Stroškov vrste vrednotenja ni mogoče označiti kot Vključno, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Nastavite odz Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Odzivni čas za {0} prednost v vrstici {1} ne sme biti daljši od časa ločljivosti., {0} is not enabled in {1},{0} ni omogočen v {1}, Group by Material Request,Razvrsti po zahtevi za material, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Vrstica {0}: Za dobavitelja {0} je za pošiljanje e-pošte potreben e-poštni naslov, Email Sent to Supplier {0},E-poštno sporočilo poslano dobavitelju {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Dostop do zahteve za ponudbo s portala je onemogočen. Če želite dovoliti dostop, ga omogočite v nastavitvah portala.", Supplier Quotation {0} Created,Navedba ponudnika {0} Ustvarjena, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Skupna dodeljena utež mor Account {0} exists in parent company {1}.,Račun {0} obstaja v nadrejeni družbi {1}., "To overrule this, enable '{0}' in company {1}","Če želite to preglasiti, omogočite »{0}« v podjetju {1}", Invalid condition expression,Neveljaven izraz pogoja, +Please Select a Company First,Najprej izberite podjetje, +Please Select Both Company and Party Type First,Najprej izberite vrsto podjetja in stranke, +Provide the invoice portion in percent,Navedite del računa v odstotkih, +Give number of days according to prior selection,Navedite število dni glede na predhodno izbiro, +Email Details,Podrobnosti o e-pošti, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Izberite pozdrav za sprejemnika. Npr. Gospod, gospa itd.", +Preview Email,Predogled e-pošte, +Please select a Supplier,"Prosimo, izberite dobavitelja", +Supplier Lead Time (days),Čas dobave dobavitelja (dnevi), +"Home, Work, etc.","Dom, služba itd.", +Exit Interview Held On,Izhodni intervju je potekal, +Condition and formula,Pogoj in formula, +Sets 'Target Warehouse' in each row of the Items table.,Nastavi 'Target Warehouse' v vsaki vrstici tabele Predmeti., +Sets 'Source Warehouse' in each row of the Items table.,Nastavi 'Izvorno skladišče' v vsaki vrstici tabele Predmeti., +POS Register,POS register, +"Can not filter based on POS Profile, if grouped by POS Profile","Ni mogoče filtrirati na podlagi POS profila, če je združeno po POS profilu", +"Can not filter based on Customer, if grouped by Customer","Ni mogoče filtrirati glede na stranko, če jo razvrsti stranka", +"Can not filter based on Cashier, if grouped by Cashier","Ni mogoče filtrirati na podlagi blagajne, če jo razvrsti po blagajni", +Payment Method,Način plačila, +"Can not filter based on Payment Method, if grouped by Payment Method","Ni mogoče filtrirati glede na način plačila, če je razvrščen po načinu plačila", +Supplier Quotation Comparison,Primerjava ponudb, +Price per Unit (Stock UOM),Cena na enoto (zaloga UOM), +Group by Supplier,Skupina po dobaviteljih, +Group by Item,Razvrsti po postavkah, +Remember to set {field_label}. It is required by {regulation}.,Ne pozabite nastaviti {field_label}. Zahteva {uredba}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Datum vpisa ne sme biti pred začetkom študijskega leta {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Datum vpisa ne sme biti po končnem datumu študijskega obdobja {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Datum vpisa ne sme biti pred začetnim datumom študijskega obdobja {0}, +Posting future transactions are not allowed due to Immutable Ledger,Knjiženje prihodnjih transakcij zaradi nespremenljive knjige ni dovoljeno, +Future Posting Not Allowed,Objavljanje v prihodnosti ni dovoljeno, +"To enable Capital Work in Progress Accounting, ","Če želite omogočiti računovodstvo kapitalskega dela v teku,", +you must select Capital Work in Progress Account in accounts table,v tabeli računov morate izbrati račun Capital Work in Progress, +You can also set default CWIP account in Company {},Privzeti račun CWIP lahko nastavite tudi v podjetju {}, +The Request for Quotation can be accessed by clicking on the following button,Do zahteve za ponudbo lahko dostopate s klikom na naslednji gumb, +Regards,S spoštovanjem, +Please click on the following button to set your new password,Za nastavitev novega gesla kliknite naslednji gumb, +Update Password,Posodobi geslo, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Vrstica št. {}: Stopnja prodaje izdelka {} je nižja od vrednosti {}. Prodaja {} mora biti vsaj {}, +You can alternatively disable selling price validation in {} to bypass this validation.,"Lahko tudi onemogočite preverjanje prodajne cene v {}, da to preverjanje zaobidete.", +Invalid Selling Price,Neveljavna prodajna cena, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Naslov mora biti povezan s podjetjem. V tabelo Povezave dodajte vrstico za podjetje., +Company Not Linked,Podjetje ni povezano, +Import Chart of Accounts from CSV / Excel files,Uvozite kontni načrt iz datotek CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',Dokončana količina ne sme biti večja od „Količina za izdelavo“, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",Vrstica {0}: Za dobavitelja {1} je za pošiljanje e-pošte potreben e-poštni naslov, diff --git a/erpnext/translations/sq.csv b/erpnext/translations/sq.csv index 0b0a35d4d6..32e314f6a3 100644 --- a/erpnext/translations/sq.csv +++ b/erpnext/translations/sq.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Ngarkesa e ti Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,Akuzat janë përditësuar në pranimin Blerje kundër çdo send, "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ë Qty pika ose sasi, si për zgjedhjen tuaj", -Chart Of Accounts,Lista e Llogarive, Chart of Cost Centers,Grafiku i Qendrave te Kostos, Check all,kontrollo të gjitha, Checkout,arkë, @@ -581,7 +580,6 @@ Company {0} does not exist,Kompania {0} nuk ekziston, Compensatory Off,Kompensues Off, Compensatory leave request days not in valid holidays,Ditët e kompensimit të pushimit nuk janë në pushime të vlefshme, Complaint,ankim, -Completed Qty can not be greater than 'Qty to Manufacture',Kompletuar Qty nuk mund të jetë më i madh se "Qty për Prodhimi", Completion Date,Data e përfundimit, Computer,kompjuter, Condition,Kusht, @@ -2033,7 +2031,6 @@ Please select Category first,Ju lutemi zgjidhni kategorinë e parë, Please select Charge Type first,"Ju lutem, përzgjidhni Ngarkesa Lloji i parë", Please select Company,"Ju lutem, përzgjidhni Company", Please select Company and Designation,Ju lutemi zgjidhni Kompania dhe Caktimi, -Please select Company and Party Type first,"Ju lutem, përzgjidhni kompanisë dhe Partisë Lloji i parë", Please select Company and Posting Date to getting entries,Ju lutemi zgjidhni Kompania dhe Data e Postimit për marrjen e shënimeve, Please select Company first,Ju lutemi zgjidhni kompania e parë, 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, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Emri i insti The name of your company for which you are setting up this system.,Emri i kompanisë suaj për të cilën ju jeni të vendosur këtë sistem., The number of shares and the share numbers are inconsistent,Numri i aksioneve dhe numri i aksioneve nuk janë në përputhje, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Llogaria e portës së pagesës në planin {0} ndryshon nga llogaria e portës së pagesës në këtë kërkesë pagese, -The request for quotation can be accessed by clicking on the following link,Kërkesa për kuotim mund të arrihen duke klikuar në linkun e mëposhtëm, The selected BOMs are not for the same item,Të BOM përzgjedhur nuk janë për të njëjtin artikull, The selected item cannot have Batch,Elementi i përzgjedhur nuk mund të ketë Serisë, The seller and the buyer cannot be the same,Shitësi dhe blerësi nuk mund të jenë të njëjta, @@ -3543,7 +3539,6 @@ Company GSTIN,Company GSTIN, Company field is required,Kërkohet fusha e kompanisë, Creating Dimensions...,Krijimi i dimensioneve ..., Duplicate entry against the item code {0} and manufacturer {1},Kopjoni hyrjen kundër kodit të artikullit {0} dhe prodhuesit {1}, -Import Chart Of Accounts from CSV / Excel files,Importoni Listën e Llogarive nga skedarët CSV / Excel, 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! Inputi që keni futur nuk përputhet me formatin GSTIN për Mbajtësit UIN ose Ofruesit e Shërbimit OIDAR Jo-rezident, Invoice Grand Total,Fatura e përgjithshme totale, Last carbon check date cannot be a future date,Data e fundit e kontrollit të karbonit nuk mund të jetë një datë e ardhshme, @@ -3920,7 +3915,6 @@ Plaid authentication error,Gabim i vertetimit i planifikuar, Plaid public token error,Gabim në shenjë publike, Plaid transactions sync error,Gabim në sinkronizimin e transaksioneve të planifikuar, Please check the error log for details about the import errors,Ju lutemi kontrolloni regjistrin e gabimeve për detaje në lidhje me gabimet e importit, -Please click on the following link to set your new password,Ju lutem klikoni në linkun e mëposhtëm për të vendosur fjalëkalimin tuaj të ri, Please create DATEV Settings for Company {}.,Ju lutemi krijoni Cilësimet DATEV për kompaninë } ., Please create adjustment Journal Entry for amount {0} ,Ju lutemi krijoni hyrjen rregulluese të ditarit për shumën {0}, Please do not create more than 500 items at a time,Ju lutemi mos krijoni më shumë se 500 artikuj njëherësh, @@ -4043,7 +4037,6 @@ Search results for,Rezultatet e kerkimit per, Select All,Zgjidhni të gjitha, Select Difference Account,Zgjidhni Llogarinë e Diferencës, Select a Default Priority.,Zgjidhni një përparësi të paracaktuar., -Select a Supplier from the Default Supplier List of the items below.,Zgjidhni një furnizues nga lista e furnizuesve të paracaktuar për artikujt më poshtë., Select a company,Zgjidhni një kompani, Select finance book for the item {0} at row {1},Zgjidhni librin e financave për artikullin {0} në rresht {1, Select only one Priority as Default.,Zgjidhni vetëm një përparësi si të parazgjedhur., @@ -4247,7 +4240,6 @@ Yes,po, Actual ,aktual, Add to cart,Futeni në kosh, Budget,buxhet, -Chart Of Accounts Importer,Grafiku i Importuesve, Chart of Accounts,Grafiku i llogarive, Customer database.,Baza e të dhënave të klientit., Days Since Last order,Ditët Që Rendit Fundit, @@ -4939,7 +4931,6 @@ Closing Account Head,Mbyllja Shef Llogaria, POS Customer Group,POS Group Customer, POS Field,Fusha POS, POS Item Group,POS Item Group, -[Select],[Zgjidh], Company Address,adresa e kompanise, Update Stock,Update Stock, Ignore Pricing Rule,Ignore Rregulla e Çmimeve, @@ -6597,11 +6588,6 @@ Relieving Date,Lehtësimin Data, Reason for Leaving,Arsyeja e largimit, Leave Encashed?,Dërgo arkëtuar?, Encashment Date,Arkëtim Data, -Exit Interview Details,Detajet Dil Intervista, -Held On,Mbajtur më, -Reason for Resignation,Arsyeja për dorëheqjen, -Better Prospects,Perspektivë më të mirë, -Health Concerns,Shqetësimet shëndetësore, New Workplace,New Workplace, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Shuma e kthyer, @@ -8237,9 +8223,6 @@ Landed Cost Help,Zbarkoi Kosto Ndihmë, Manufacturers used in Items,Prodhuesit e përdorura në artikujt, Limited to 12 characters,Kufizuar në 12 karaktere, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Set Magazina, -Sets 'For Warehouse' in each row of the Items table.,Vendos 'Për Magazinë' në secilën rresht të tabelës Artikuj., -Requested For,Kërkuar Për, Partially Ordered,Urdhërohet pjesërisht, Transferred,transferuar, % Ordered,% Urdhërohet, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Depo për Kërkesë Materiali, Select warehouse for material requests,Zgjidhni magazinën për kërkesat materiale, Transfer Materials For Warehouse {0},Transferimi i materialeve për magazinën {0}, Production Plan Material Request Warehouse,Plani i Prodhimit Depo për Kërkesë Materiali, -Set From Warehouse,Vendosur nga Magazina, -Source Warehouse (Material Transfer),Depoja e Burimit (Transferimi i Materialit), Sets 'Source Warehouse' in each row of the items table.,Vendos "Magazinën e Burimit" në secilën rresht të tabelës së artikujve., Sets 'Target Warehouse' in each row of the items table.,Vendos 'Magazina e synuar' në secilën rresht të tabelës së artikujve., Show Cancelled Entries,Shfaq hyrjet e anuluara, @@ -9155,7 +9136,6 @@ Professional Tax,Taksa profesionale, Is Income Tax Component,A është Komponenti i Tatimit mbi të Ardhurat, Component properties and references ,Karakteristikat dhe referencat e përbërësit, Additional Salary ,Paga shtesë, -Condtion and formula,Kushti dhe formula, Unmarked days,Ditët e pashënuara, Absent Days,Ditët e Munguara, Conditions and Formula variable and example,Kushtet dhe variabla e Formulës dhe shembulli, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Gabim i kërkesës së pavlefshme të plaidit, Please check your Plaid client ID and secret values,Ju lutemi kontrolloni ID e klientit tuaj Plaid dhe vlerat sekrete, Bank transaction creation error,Gabim në krijimin e transaksioneve bankare, Unit of Measurement,Njësia e Matjes, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Rreshti # {}: Shkalla e shitjes për artikullin {} është më e ulët se {}. Shkalla e shitjes duhet të jetë së paku {}, Fiscal Year {0} Does Not Exist,Viti Fiskal {0} Nuk Ekziston, Row # {0}: Returned Item {1} does not exist in {2} {3},Rreshti # {0}: Artikulli i kthyer {1} nuk ekziston në {2} {3}, Valuation type charges can not be marked as Inclusive,Tarifat e llojit të vlerësimit nuk mund të shënohen si Përfshirëse, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Vendosni koh Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Koha e përgjigjes për {0} përparësinë në rresht {1} nuk mund të jetë më e madhe se Koha e Rezolucionit., {0} is not enabled in {1},{0} nuk është aktivizuar në {1}, Group by Material Request,Grupo sipas kërkesës materiale, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Rreshti {0}: Për furnitorin {0}, kërkohet adresa e postës elektronike për të dërguar email", Email Sent to Supplier {0},Emaili u dërgua tek furnitori {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Hyrja në kërkesë për kuotim nga Portali është e Çaktivizuar. Për të lejuar hyrjen, aktivizojeni atë në Cilësimet e Portalit.", Supplier Quotation {0} Created,Citati i furnitorit {0} Krijuar, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Pesha totale e caktuar duh Account {0} exists in parent company {1}.,Llogaria {0} ekziston në kompaninë mëmë {1}., "To overrule this, enable '{0}' in company {1}","Për ta mbivendosur këtë, aktivizo "{0}" në kompaninë {1}", Invalid condition expression,Shprehje e pavlefshme e kushteve, +Please Select a Company First,Ju lutemi Zgjidhni një kompani së pari, +Please Select Both Company and Party Type First,Ju lutemi Zgjidhni Së pari Të dy Kompanitë dhe Llojin e Partisë, +Provide the invoice portion in percent,Siguroni pjesën e faturës në përqindje, +Give number of days according to prior selection,Jepni numrin e ditëve sipas zgjedhjes paraprake, +Email Details,Detajet e emailit, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Zgjidhni një urim për marrësin. P.sh. Z., Znj., Etj.", +Preview Email,Shikoni emailin, +Please select a Supplier,Ju lutemi zgjidhni një Furnizues, +Supplier Lead Time (days),Koha e furnizimit të furnizuesit (ditë), +"Home, Work, etc.","Shtëpia, Puna, etj.", +Exit Interview Held On,Intervista e Daljes E Mbyllur, +Condition and formula,Kushti dhe formula, +Sets 'Target Warehouse' in each row of the Items table.,Vendos 'Magazina e synuar' në secilën rresht të tabelës Artikuj., +Sets 'Source Warehouse' in each row of the Items table.,Vendos 'Magazinën e Burimit' në secilën rresht të tabelës Artikuj., +POS Register,Regjistrohu POS, +"Can not filter based on POS Profile, if grouped by POS Profile","Nuk mund të filtrohet bazuar në Profilin e POS, nëse grupohet nga Profili i POS", +"Can not filter based on Customer, if grouped by Customer","Nuk mund të filtrohet në bazë të Klientit, nëse grupohet nga Konsumatori", +"Can not filter based on Cashier, if grouped by Cashier","Nuk mund të filtrohet bazuar në Arkën, nëse grupohet nga Arkëtari", +Payment Method,Metoda e pagesës, +"Can not filter based on Payment Method, if grouped by Payment Method","Nuk mund të filtrohet bazuar në mënyrën e pagesës, nëse grupohet sipas mënyrës së pagesës", +Supplier Quotation Comparison,Krahasimi i Kuotimit të Furnizuesit, +Price per Unit (Stock UOM),Çmimi për njësi (Stock UOM), +Group by Supplier,Grupo nga furnitori, +Group by Item,Grupo sipas Artikullit, +Remember to set {field_label}. It is required by {regulation}.,Mos harroni të vendosni {field_label}. Kërkohet nga {rregullorja}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Data e regjistrimit nuk mund të jetë para datës së fillimit të vitit akademik {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Data e regjistrimit nuk mund të jetë pas datës së mbarimit të afatit akademik {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Data e regjistrimit nuk mund të jetë para datës së fillimit të afatit akademik {0}, +Posting future transactions are not allowed due to Immutable Ledger,Postimi i transaksioneve në të ardhmen nuk lejohet për shkak të librit të pandryshueshëm, +Future Posting Not Allowed,Postimi në të ardhmen nuk lejohet, +"To enable Capital Work in Progress Accounting, ","Për të mundësuar Kontabilitetin e Punës Kapitale në Progres,", +you must select Capital Work in Progress Account in accounts table,duhet të zgjidhni llogarinë e punës kapitale në progres në tabelën e llogarive, +You can also set default CWIP account in Company {},Mund të caktoni gjithashtu llogarinë e paracaktuar CWIP në Kompaninë {}, +The Request for Quotation can be accessed by clicking on the following button,Kërkesa për Vlerësim mund të arrihet duke klikuar në butonin e mëposhtëm, +Regards,Të fala, +Please click on the following button to set your new password,Ju lutemi klikoni në butonin e mëposhtëm për të vendosur fjalëkalimin tuaj të ri, +Update Password,Përditëso fjalëkalimin, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Rreshti # {}: Shkalla e shitjes për artikullin {} është më e ulët se {}. Shitja {} duhet të jetë së paku {}, +You can alternatively disable selling price validation in {} to bypass this validation.,Mund të çaktivizoni vërtetimin e çmimit të shitjes në {} për të anashkaluar këtë vërtetim., +Invalid Selling Price,Çmimi i pavlefshëm i shitjes, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Adresa duhet të lidhet me një kompani. Ju lutemi shtoni një rresht për Kompaninë në tabelën Links., +Company Not Linked,Kompania nuk është e lidhur, +Import Chart of Accounts from CSV / Excel files,Importo Tabelën e Llogarive nga skedarët CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',Sasia e përfunduar nuk mund të jetë më e madhe se 'Sasia për Prodhim', +"Row {0}: For Supplier {1}, Email Address is Required to send an email","Rreshti {0}: Për furnitorin {1}, kërkohet adresa e postës elektronike për të dërguar një email", diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv index a30f9d7bee..97b240f201 100644 --- a/erpnext/translations/sr.csv +++ b/erpnext/translations/sr.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Начисл Chargeble,Цхаргебле, Charges are updated in Purchase Receipt against each item,Оптужбе се ажурирају у рачуном против сваке ставке, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Оптужбе ће бити дистрибуиран пропорционално на основу тачка Количина или износа, по вашем избору", -Chart Of Accounts,Контни, Chart of Cost Centers,Дијаграм трошкова центара, Check all,Štiklirati sve, Checkout,Провери, @@ -581,7 +580,6 @@ Company {0} does not exist,Фирма {0} не постоји, Compensatory Off,Компенсационные Выкл, Compensatory leave request days not in valid holidays,Данови захтјева за компензацијски одмор нису у важећем празнику, Complaint,Жалба, -Completed Qty can not be greater than 'Qty to Manufacture',Завршен ком не може бити већи од 'Количина за производњу', Completion Date,Завршетак датум, Computer,рачунар, Condition,Услов, @@ -2033,7 +2031,6 @@ Please select Category first,Прво изаберите категорију, Please select Charge Type first,Изаберите Тип пуњења први, Please select Company,Молимо изаберите Цомпани, Please select Company and Designation,Изаберите компанију и ознаку, -Please select Company and Party Type first,Молимо Вас да изаберете Цомпани и Партије Типе прво, Please select Company and Posting Date to getting entries,Молимо да одаберете Компанију и Датум објављивања да бисте добили уносе, Please select Company first,Одредите прво Компанија, Please select Completion Date for Completed Asset Maintenance Log,Молимо изаберите Датум завршетка за попуњени дневник одржавања средстава, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Име ин The name of your company for which you are setting up this system.,Име ваше компаније за коју сте се постављање овог система ., The number of shares and the share numbers are inconsistent,Број акција и бројеви учешћа су недоследни, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Рачун плаћачког плаћања у плану {0} се разликује од налога за плаћање у овом налогу за плаћање, -The request for quotation can be accessed by clicking on the following link,Захтев за котацију се може приступити кликом на следећи линк, The selected BOMs are not for the same item,Одабрани БОМ нису за исту робу, The selected item cannot have Batch,Изабрана опција не може имати Батцх, The seller and the buyer cannot be the same,Продавац и купац не могу бити исти, @@ -3543,7 +3539,6 @@ Company GSTIN,kompanija ГСТИН, Company field is required,Поље компаније је обавезно, Creating Dimensions...,Стварање димензија ..., Duplicate entry against the item code {0} and manufacturer {1},Дупликат уноса са шифром артикла {0} и произвођачем {1}, -Import Chart Of Accounts from CSV / Excel files,Увоз рачуна са ЦСВ / Екцел датотека, Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Неважећи ГСТИН! Унесени унос не одговара ГСТИН формату за УИН власнике или нерезидентне добављаче услуга ОИДАР, Invoice Grand Total,Фактура Гранд Тотал, Last carbon check date cannot be a future date,Последњи датум провере угљеника не може бити будући датум, @@ -3920,7 +3915,6 @@ Plaid authentication error,Грешка аутентификације у пла Plaid public token error,Грешка у јавном токену, Plaid transactions sync error,Грешка синхронизације трансакција у плаиду, Please check the error log for details about the import errors,Молимо проверите дневник грешака за детаље о увозним грешкама, -Please click on the following link to set your new password,Молимо вас да кликнете на следећи линк да поставите нову лозинку, Please create DATEV Settings for Company {}.,Креирајте ДАТЕВ подешавања за компанију {} ., Please create adjustment Journal Entry for amount {0} ,Молимо креирајте подешавање уноса у часопису за износ {0}, Please do not create more than 500 items at a time,Не стварајте више од 500 предмета одједном, @@ -4043,7 +4037,6 @@ Search results for,Резултати претраге за, Select All,Изабери све, Select Difference Account,Изаберите Рачун разлике, Select a Default Priority.,Изаберите подразумевани приоритет., -Select a Supplier from the Default Supplier List of the items below.,Изаберите добављача са задате листе добављача доњих ставки., Select a company,Изаберите компанију, Select finance book for the item {0} at row {1},Изаберите књигу финансирања за ставку {0} у реду {1}, Select only one Priority as Default.,Изаберите само један приоритет као подразумевани., @@ -4247,7 +4240,6 @@ Yes,да, Actual ,Стваран, Add to cart,Добавить в корзину, Budget,Буџет, -Chart Of Accounts Importer,Увозник контног плана, Chart of Accounts,Цхарт оф Аццоунтс, Customer database.,Цустомер Датабасе., Days Since Last order,Дана Од Последња Наручи, @@ -4939,7 +4931,6 @@ Closing Account Head,Затварање рачуна Хеад, POS Customer Group,ПОС клијента Група, POS Field,ПОС поље, POS Item Group,ПОС Тачка Група, -[Select],[ Изаберите ], Company Address,Адреса предузећа, Update Stock,Упдате Стоцк, Ignore Pricing Rule,Игноре Правилник о ценама, @@ -6597,11 +6588,6 @@ Relieving Date,Разрешење Дате, Reason for Leaving,Разлог за напуштање, Leave Encashed?,Оставите Енцасхед?, Encashment Date,Датум Енцасхмент, -Exit Interview Details,Екит Детаљи Интервју, -Held On,Одржана, -Reason for Resignation,Разлог за оставку, -Better Prospects,Бољи изгледи, -Health Concerns,Здравље Забринутост, New Workplace,Новом радном месту, HR-EAD-.YYYY.-,ХР-ЕАД-.ИИИИ.-, Returned Amount,Износ враћеног износа, @@ -8237,9 +8223,6 @@ Landed Cost Help,Слетео Трошкови Помоћ, Manufacturers used in Items,Произвођачи користе у ставке, Limited to 12 characters,Ограничена до 12 карактера, MAT-MR-.YYYY.-,МАТ-МР-.ИИИИ.-, -Set Warehouse,Сет Варехоусе, -Sets 'For Warehouse' in each row of the Items table.,Поставља 'За складиште' у сваком реду табеле Предмети., -Requested For,Тражени За, Partially Ordered,Делимично уређено, Transferred,пренети, % Ordered,% Од А до Ж, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Складиште захтева за материј Select warehouse for material requests,Изаберите складиште за захтеве за материјалом, Transfer Materials For Warehouse {0},Трансфер материјала за складиште {0}, Production Plan Material Request Warehouse,Складиште захтева за планом производње, -Set From Warehouse,Постављено из магацина, -Source Warehouse (Material Transfer),Изворно складиште (пренос материјала), Sets 'Source Warehouse' in each row of the items table.,Поставља 'Изворно складиште' у сваки ред табеле ставки., Sets 'Target Warehouse' in each row of the items table.,Поставља 'Таргет Варехоусе' у сваки ред табеле ставки., Show Cancelled Entries,Прикажи отказане уносе, @@ -9155,7 +9136,6 @@ Professional Tax,Порез на професионалце, Is Income Tax Component,Је компонента пореза на доходак, Component properties and references ,Својства и референце компонената, Additional Salary ,Додатна плата, -Condtion and formula,Стање и формула, Unmarked days,Необележени дани, Absent Days,Одсутни дани, Conditions and Formula variable and example,Услови и варијабла формуле и пример, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Грешка у неисправном захтев Please check your Plaid client ID and secret values,Молимо проверите свој ИД клијента и тајне вредности, Bank transaction creation error,Грешка у креирању банкарске трансакције, Unit of Measurement,Јединица мере, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Ред # {}: Стопа продаје за артикал {} нижа је од његове {}. Стопа продаје треба да буде најмање {}, Fiscal Year {0} Does Not Exist,Фискална година {0} не постоји, Row # {0}: Returned Item {1} does not exist in {2} {3},Ред # {0}: Враћена ставка {1} не постоји у {2} {3}, Valuation type charges can not be marked as Inclusive,Накнаде за врсту процене не могу бити означене као свеобухватне, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Подеси Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Време одзива за {0} приоритет у реду {1} не може бити веће од времена резолуције., {0} is not enabled in {1},{0} није омогућен у {1}, Group by Material Request,Групирај према захтеву за материјал, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Ред {0}: За добављача {0} адреса е-поште је потребна за слање е-поште, Email Sent to Supplier {0},Е-пошта послата добављачу {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Приступ захтеву за понуду са портала је онемогућен. Да бисте дозволили приступ, омогућите га у поставкама портала.", Supplier Quotation {0} Created,Понуда добављача {0} креирана, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Укупна додеље Account {0} exists in parent company {1}.,Налог {0} постоји у матичном предузећу {1}., "To overrule this, enable '{0}' in company {1}","Да бисте ово поништили, омогућите „{0}“ у предузећу {1}", Invalid condition expression,Неважећи израз услова, +Please Select a Company First,Прво одаберите компанију, +Please Select Both Company and Party Type First,Прво одаберите и компанију и журку, +Provide the invoice portion in percent,Наведите део фактуре у процентима, +Give number of days according to prior selection,Наведите број дана према претходном одабиру, +Email Details,Детаљи е-поште, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Изаберите поздрав за пријемник. Нпр. Господин, госпођа итд.", +Preview Email,Преглед е-поште, +Please select a Supplier,Молимо одаберите добављача, +Supplier Lead Time (days),Време испоруке добављача (дана), +"Home, Work, etc.","Кућа, посао итд.", +Exit Interview Held On,Излазни интервју одржан, +Condition and formula,Стање и формула, +Sets 'Target Warehouse' in each row of the Items table.,Поставља 'Таргет Варехоусе' у сваки ред табеле Предмети., +Sets 'Source Warehouse' in each row of the Items table.,Поставља 'Изворно складиште' у сваки ред табеле Предмети., +POS Register,ПОС регистар, +"Can not filter based on POS Profile, if grouped by POS Profile",Није могуће филтрирати на основу ПОС профила ако је груписано према ПОС профилу, +"Can not filter based on Customer, if grouped by Customer",Не може се филтрирати на основу купца ако га је груписао купац, +"Can not filter based on Cashier, if grouped by Cashier","Није могуће филтрирати на основу благајне, ако је груписана по благајни", +Payment Method,Начин плаћања, +"Can not filter based on Payment Method, if grouped by Payment Method",Није могуће филтрирати на основу начина плаћања ако је груписано према начину плаћања, +Supplier Quotation Comparison,Поређење понуда добављача, +Price per Unit (Stock UOM),Цена по јединици (УОМ), +Group by Supplier,Група према добављачу, +Group by Item,Групирај по ставкама, +Remember to set {field_label}. It is required by {regulation}.,Не заборавите да поставите {фиелд_лабел}. То захтева {пропис}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Датум уписа не може бити пре датума почетка академске године {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Датум уписа не може бити након датума завршетка академског рока {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Датум уписа не може бити пре датума почетка академског рока {0}, +Posting future transactions are not allowed due to Immutable Ledger,Књижење будућих трансакција није дозвољено због Непроменљиве књиге, +Future Posting Not Allowed,Објављивање у будућности није дозвољено, +"To enable Capital Work in Progress Accounting, ","Да би се омогућило рачуноводство капиталног рада у току,", +you must select Capital Work in Progress Account in accounts table,у табели рачуна морате одабрати Рачун капиталног рада у току, +You can also set default CWIP account in Company {},Такође можете да поставите подразумевани ЦВИП налог у предузећу {}, +The Request for Quotation can be accessed by clicking on the following button,Захтеву за понуду можете приступити кликом на следеће дугме, +Regards,Поздрави, +Please click on the following button to set your new password,Кликните на следеће дугме да бисте поставили нову лозинку, +Update Password,Ажурирај лозинку, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Ред # {}: Стопа продаје за артикал {} нижа је од његове {}. Продаја {} треба да буде најмање {}, +You can alternatively disable selling price validation in {} to bypass this validation.,Можете и да онемогућите проверу продајне цене у {} да бисте заобишли ову проверу., +Invalid Selling Price,Неважећа продајна цена, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Адреса мора бити повезана са компанијом. Додајте ред за компанију у табелу Везе., +Company Not Linked,Компанија није повезана, +Import Chart of Accounts from CSV / Excel files,Увезите контни план из ЦСВ / Екцел датотека, +Completed Qty cannot be greater than 'Qty to Manufacture',Завршена количина не може бити већа од „Количина за производњу“, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",Ред {0}: За добављача {1} за слање е-поште потребна је адреса е-поште, diff --git a/erpnext/translations/sr_sp.csv b/erpnext/translations/sr_sp.csv index b41c0ec70e..ef261b9165 100644 --- a/erpnext/translations/sr_sp.csv +++ b/erpnext/translations/sr_sp.csv @@ -93,7 +93,6 @@ Cancel,Otkaži, Cart,Korpa, Cart is Empty,Korpa je prazna, Change Amount,Kusur, -Chart Of Accounts,Kontni plan, Cheque/Reference No,Broj izvoda, Closed,Zatvoreno, Closing (Cr),Saldo (Po), diff --git a/erpnext/translations/sv.csv b/erpnext/translations/sv.csv index 866def3c94..ec16aec348 100644 --- a/erpnext/translations/sv.csv +++ b/erpnext/translations/sv.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Avgift av ty Chargeble,chargeble, Charges are updated in Purchase Receipt against each item,Avgifter uppdateras i inköpskvitto för varje post, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Avgifter kommer att fördelas proportionellt baserad på produktantal eller belopp, enligt ditt val", -Chart Of Accounts,Kontoplan, Chart of Cost Centers,Kontoplan på Kostnadsställen, Check all,Kontrollera alla, Checkout,Checka ut, @@ -581,7 +580,6 @@ Company {0} does not exist,existerar inte företag {0}, Compensatory Off,Kompensations Av, Compensatory leave request days not in valid holidays,Begäran om kompensationsledighet gäller inte i giltiga helgdagar, Complaint,Klagomål, -Completed Qty can not be greater than 'Qty to Manufacture',"Avslutade Antal kan inte vara större än ""antal för Tillverkning '", Completion Date,Slutförande Datum, Computer,Dator, Condition,Tillstånd, @@ -2033,7 +2031,6 @@ Please select Category first,Vänligen välj kategori först, Please select Charge Type first,Välj Avgiftstyp först, Please select Company,Välj Företag, Please select Company and Designation,Var god välj Företag och Beteckning, -Please select Company and Party Type first,Välj Företag och parti typ först, Please select Company and Posting Date to getting entries,Var god välj Företag och Bokningsdatum för att få poster, Please select Company first,Välj Företaget först, Please select Completion Date for Completed Asset Maintenance Log,Var god välj Slutdatum för slutförd underhållsförteckning, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Namnet på i The name of your company for which you are setting up this system.,Namnet på ditt företag som du ställer in det här systemet., The number of shares and the share numbers are inconsistent,Antal aktier och aktienumren är inkonsekventa, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Betalningsgateway-kontot i plan {0} skiljer sig från betalnings gateway-kontot i denna betalningsförfrågan, -The request for quotation can be accessed by clicking on the following link,Offertbegäran kan nås genom att klicka på följande länk, The selected BOMs are not for the same item,De valda stycklistor är inte samma objekt, The selected item cannot have Batch,Det valda alternativet kan inte ha Batch, The seller and the buyer cannot be the same,Säljaren och köparen kan inte vara samma, @@ -3543,7 +3539,6 @@ Company GSTIN,Företaget GSTIN, Company field is required,Företagets fält krävs, Creating Dimensions...,Skapar dimensioner ..., Duplicate entry against the item code {0} and manufacturer {1},Duplicera posten mot artikelkoden {0} och tillverkaren {1}, -Import Chart Of Accounts from CSV / Excel files,Importera kontoplan från CSV / Excel-filer, Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Ogiltig GSTIN! Ingången du har angett stämmer inte med GSTIN-formatet för UIN-innehavare eller OIDAR-tjänsteleverantörer som inte är bosatta, Invoice Grand Total,Fakturor Grand Total, Last carbon check date cannot be a future date,Sista datum för kolkontroll kan inte vara ett framtida datum, @@ -3920,7 +3915,6 @@ Plaid authentication error,Fel för autentisering i rutan, Plaid public token error,Plaid public token-fel, Plaid transactions sync error,Fel synkroniseringsfel, Please check the error log for details about the import errors,Kontrollera felloggen för detaljer om importfel, -Please click on the following link to set your new password,Klicka på följande länk för att ställa in ditt nya lösenord, Please create DATEV Settings for Company {}.,Skapa DATEV-inställningar för företag {} ., Please create adjustment Journal Entry for amount {0} ,Skapa justeringsjournal för belopp {0}, Please do not create more than 500 items at a time,Skapa inte mer än 500 objekt åt gången, @@ -4043,7 +4037,6 @@ Search results for,Sökresultat för, Select All,Välj Alla, Select Difference Account,Välj Skillnadskonto, Select a Default Priority.,Välj en standardprioritet., -Select a Supplier from the Default Supplier List of the items below.,Välj en leverantör från standardleverantörslistan med artiklarna nedan., Select a company,Välj ett företag, Select finance book for the item {0} at row {1},Välj finansbok för posten {0} i rad {1}, Select only one Priority as Default.,Välj endast en prioritet som standard., @@ -4247,7 +4240,6 @@ Yes,Ja, Actual ,Faktisk, Add to cart,Lägg till i kundvagn, Budget,Budget, -Chart Of Accounts Importer,Diagram över kontonimportör, Chart of Accounts,Diagram över konton, Customer database.,Kunddatabas., Days Since Last order,Dagar sedan förra beställningen, @@ -4939,7 +4931,6 @@ Closing Account Head,Stänger Konto Huvud, POS Customer Group,POS Kundgrupp, POS Field,POS-fält, POS Item Group,POS Artikelgrupp, -[Select],[Välj], Company Address,Företags Adress, Update Stock,Uppdatera lager, Ignore Pricing Rule,Ignorera Prisregler, @@ -6597,11 +6588,6 @@ Relieving Date,Avgångs Datum, Reason for Leaving,Anledning för att lämna, Leave Encashed?,Lämna inlösen?, Encashment Date,Inlösnings Datum, -Exit Interview Details,Avsluta intervju Detaljer, -Held On,Höll På, -Reason for Resignation,Anledning till Avgång, -Better Prospects,Bättre prospekt, -Health Concerns,Hälsoproblem, New Workplace,Ny Arbetsplats, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Återlämnat belopp, @@ -8237,9 +8223,6 @@ Landed Cost Help,Landad kostnad Hjälp, Manufacturers used in Items,Tillverkare som används i artiklar, Limited to 12 characters,Begränsat till 12 tecken, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Ställ in lager, -Sets 'For Warehouse' in each row of the Items table.,Ställer in 'För lager' i varje rad i artikeltabellen., -Requested For,Begärd För, Partially Ordered,Delvis beställt, Transferred,Överförd, % Ordered,% Beställt, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Materialförfrågningslager, Select warehouse for material requests,Välj lager för materialförfrågningar, Transfer Materials For Warehouse {0},Överför material för lager {0}, Production Plan Material Request Warehouse,Produktionsplan Materialbegärande lager, -Set From Warehouse,Set från lager, -Source Warehouse (Material Transfer),Source Warehouse (Material Transfer), Sets 'Source Warehouse' in each row of the items table.,Ställer in 'Source Warehouse' i varje rad i artikelbordet., Sets 'Target Warehouse' in each row of the items table.,Ställer in 'Target Warehouse' i varje rad i artikelbordet., Show Cancelled Entries,Visa avbrutna poster, @@ -9155,7 +9136,6 @@ Professional Tax,Professionell skatt, Is Income Tax Component,Är inkomstskattekomponent, Component properties and references ,Komponentegenskaper och referenser, Additional Salary ,Ytterligare lön, -Condtion and formula,Kondition och formel, Unmarked days,Omärkta dagar, Absent Days,Frånvarande dagar, Conditions and Formula variable and example,Villkor och formelvariabel och exempel, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Felaktig ogiltig begäran fel, Please check your Plaid client ID and secret values,Kontrollera ditt Plaid-klient-ID och hemliga värden, Bank transaction creation error,Fel vid skapande av banktransaktioner, Unit of Measurement,Måttenhet, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Rad nr {}: Försäljningsgraden för artikeln {} är lägre än dess {}. Försäljningsgraden bör vara minst {}, Fiscal Year {0} Does Not Exist,Räkenskapsåret {0} existerar inte, Row # {0}: Returned Item {1} does not exist in {2} {3},Rad # {0}: Returnerat objekt {1} finns inte i {2} {3}, Valuation type charges can not be marked as Inclusive,Avgifter för värderingstyp kan inte markeras som inkluderande, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Ställ in sva Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Svarstiden för {0} prioritet i rad {1} kan inte vara längre än upplösningstid., {0} is not enabled in {1},{0} är inte aktiverat i {1}, Group by Material Request,Gruppera efter materialförfrågan, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Rad {0}: För leverantör {0} krävs e-postadress för att skicka e-post, Email Sent to Supplier {0},E-post skickad till leverantör {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Åtkomsten till begäran om offert från portalen är inaktiverad. För att tillåta åtkomst, aktivera den i portalinställningar.", Supplier Quotation {0} Created,Leverantör offert {0} Skapat, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Total tilldelad vikt bör Account {0} exists in parent company {1}.,Kontot {0} finns i moderbolaget {1}., "To overrule this, enable '{0}' in company {1}","För att åsidosätta detta, aktivera {0} i företaget {1}", Invalid condition expression,Ogiltigt tillståndsuttryck, +Please Select a Company First,Välj först ett företag, +Please Select Both Company and Party Type First,Välj först både företags- och festtyp, +Provide the invoice portion in percent,Ange fakturadelen i procent, +Give number of days according to prior selection,Ange antal dagar enligt tidigare val, +Email Details,E-postdetaljer, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Välj en hälsning till mottagaren. Till exempel Herr, Fru etc.", +Preview Email,Förhandsgranska e-post, +Please select a Supplier,Välj en leverantör, +Supplier Lead Time (days),Leverantörens ledtid (dagar), +"Home, Work, etc.","Hem, arbete etc.", +Exit Interview Held On,Avsluta intervjun hålls, +Condition and formula,Tillstånd och formel, +Sets 'Target Warehouse' in each row of the Items table.,Ställer in 'Target Warehouse' i varje rad i tabellen Items., +Sets 'Source Warehouse' in each row of the Items table.,Ställer in 'Source Warehouse' i varje rad i tabellen Items., +POS Register,POS-register, +"Can not filter based on POS Profile, if grouped by POS Profile","Kan inte filtrera baserat på POS-profil, om grupperad efter POS-profil", +"Can not filter based on Customer, if grouped by Customer","Kan inte filtrera baserat på kund, om grupperad efter kund", +"Can not filter based on Cashier, if grouped by Cashier","Kan inte filtrera baserat på Kassör, om grupperad efter Kassör", +Payment Method,Betalningsmetod, +"Can not filter based on Payment Method, if grouped by Payment Method","Kan inte filtrera baserat på betalningsmetod, om grupperad efter betalningsmetod", +Supplier Quotation Comparison,Jämförelse av leverantörsnotering, +Price per Unit (Stock UOM),Pris per enhet (lager UOM), +Group by Supplier,Gruppera efter leverantör, +Group by Item,Gruppera efter artikel, +Remember to set {field_label}. It is required by {regulation}.,Kom ihåg att ställa in {field_label}. Det krävs enligt {Regulation}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Anmälningsdatum får inte vara före startåret för läsåret {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Anmälningsdatum kan inte vara efter slutdatum för den akademiska termen {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Anmälningsdatum kan inte vara före startdatumet för den akademiska termen {0}, +Posting future transactions are not allowed due to Immutable Ledger,Att bokföra framtida transaktioner är inte tillåtet på grund av Immutable Ledger, +Future Posting Not Allowed,Framtida utstationering tillåts inte, +"To enable Capital Work in Progress Accounting, ","För att aktivera Capital Work in Progress Accounting,", +you must select Capital Work in Progress Account in accounts table,du måste välja Capital Work in Progress-konto i kontotabellen, +You can also set default CWIP account in Company {},Du kan också ange standard CWIP-konto i företaget {}, +The Request for Quotation can be accessed by clicking on the following button,Begäran om offert kan nås genom att klicka på följande knapp, +Regards,Hälsningar, +Please click on the following button to set your new password,Klicka på följande knapp för att ställa in ditt nya lösenord, +Update Password,Uppdatera lösenord, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Rad nr {}: Försäljningsgraden för artikeln {} är lägre än dess {}. Att sälja {} bör vara minst {}, +You can alternatively disable selling price validation in {} to bypass this validation.,Du kan alternativt inaktivera validering av försäljningspris i {} för att kringgå denna validering., +Invalid Selling Price,Ogiltigt försäljningspris, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Adressen måste kopplas till ett företag. Lägg till en rad för företag i tabellen Länkar., +Company Not Linked,Företaget är inte länkat, +Import Chart of Accounts from CSV / Excel files,Importera kontoplan från CSV / Excel-filer, +Completed Qty cannot be greater than 'Qty to Manufacture',Slutfört antal får inte vara större än 'Antal att tillverka', +"Row {0}: For Supplier {1}, Email Address is Required to send an email",Rad {0}: För leverantör {1} krävs e-postadress för att skicka ett e-postmeddelande, diff --git a/erpnext/translations/sw.csv b/erpnext/translations/sw.csv index 910ef351a3..9fcc1a3182 100644 --- a/erpnext/translations/sw.csv +++ b/erpnext/translations/sw.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Malipo ya ain Chargeble,Kubwa, Charges are updated in Purchase Receipt against each item,Malipo yanasasishwa katika Receipt ya Ununuzi dhidi ya kila kitu, "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", -Chart Of Accounts,Chati ya Akaunti, Chart of Cost Centers,Chati ya Vituo vya Gharama, Check all,Angalia yote, Checkout,Angalia, @@ -581,7 +580,6 @@ Company {0} does not exist,Kampuni {0} haipo, Compensatory Off,Off Compensation, Compensatory leave request days not in valid holidays,Siku ya ombi ya kuondoka kwa siku ya malipo sio likizo za halali, Complaint,Malalamiko, -Completed Qty can not be greater than 'Qty to Manufacture',Uchina uliokamilika hauwezi kuwa mkubwa kuliko 'Uchina kwa Utengenezaji', Completion Date,Tarehe ya kukamilisha, Computer,Kompyuta, Condition,Hali, @@ -2033,7 +2031,6 @@ Please select Category first,Tafadhali chagua Jamii kwanza, Please select Charge Type first,Tafadhali chagua Aina ya Chapa kwanza, Please select Company,Tafadhali chagua Kampuni, Please select Company and Designation,Tafadhali chagua Kampuni na Uteuzi, -Please select Company and Party Type first,Tafadhali chagua Aina ya Kampuni na Chapa kwanza, Please select Company and Posting Date to getting entries,Tafadhali chagua tarehe ya Kampuni na Kuajili ili uweze kuingia, Please select Company first,Tafadhali chagua Kampuni kwanza, Please select Completion Date for Completed Asset Maintenance Log,Tafadhali chagua tarehe ya kukamilika kwa Ingia ya Matengenezo ya Malifafishwa, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Jina la taas The name of your company for which you are setting up this system.,Jina la kampuni yako ambayo unaanzisha mfumo huu., The number of shares and the share numbers are inconsistent,Idadi ya hisa na nambari za kushiriki si sawa, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Akaunti ya mlango wa malipo katika mpango {0} ni tofauti na akaunti ya mlango wa malipo katika ombi hili la malipo, -The request for quotation can be accessed by clicking on the following link,Ombi la nukuu inaweza kupatikana kwa kubonyeza kiungo kinachofuata, The selected BOMs are not for the same item,BOM zilizochaguliwa sio kwa bidhaa moja, The selected item cannot have Batch,Bidhaa iliyochaguliwa haiwezi kuwa na Batch, The seller and the buyer cannot be the same,Muuzaji na mnunuzi hawezi kuwa sawa, @@ -3543,7 +3539,6 @@ Company GSTIN,Kampuni ya GSTIN, Company field is required,Sehemu ya kampuni inahitajika, Creating Dimensions...,Inaunda vipimo ..., Duplicate entry against the item code {0} and manufacturer {1},Ingizo maradufu dhidi ya nambari ya bidhaa {0} na mtengenezaji {1}, -Import Chart Of Accounts from CSV / Excel files,Ingiza Chati ya Hesabu kutoka faili za CSV / Excel, Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN batili! Uingizaji ambao umeingia haulingani na fomati ya GSTIN ya Wamiliki wa UIN au Watoa Huduma wa OIDAR wasio Wakazi, Invoice Grand Total,Jumla ya ankara, Last carbon check date cannot be a future date,Tarehe ya mwisho ya kuangalia kaboni haiwezi kuwa tarehe ya baadaye, @@ -3920,7 +3915,6 @@ Plaid authentication error,Makosa ya uthibitisho wa pesa, Plaid public token error,Makosa ya ishara ya umma, Plaid transactions sync error,Makosa ya kusawazisha shughuli, Please check the error log for details about the import errors,Tafadhali angalia logi ya makosa kwa maelezo juu ya makosa ya uingizaji, -Please click on the following link to set your new password,Tafadhali bofya kiungo kinachofuata ili kuweka nenosiri lako jipya, Please create DATEV Settings for Company {}.,Tafadhali unda Mipangilio ya DATEV ya Kampuni {} ., Please create adjustment Journal Entry for amount {0} ,Tafadhali tengeneza uingizaji wa Jarida la Marekebisho kwa kiasi {0}, Please do not create more than 500 items at a time,Tafadhali usijenge vitu zaidi ya 500 kwa wakati mmoja, @@ -4043,7 +4037,6 @@ Search results for,Matokeo ya Utafutaji, Select All,Chagua Wote, Select Difference Account,Chagua Akaunti ya Tofauti, Select a Default Priority.,Chagua Kipaumbele Cha msingi., -Select a Supplier from the Default Supplier List of the items below.,Chagua Mtoaji kutoka Orodha ya Wasambazaji Chaguo-msingi ya vitu hapa chini., Select a company,Chagua kampuni, Select finance book for the item {0} at row {1},Chagua kitabu cha fedha kwa kipengee hicho 0 0 kwa safu {1}, Select only one Priority as Default.,Chagua Kipaumbele kimoja tu kama Chaguo-msingi., @@ -4247,7 +4240,6 @@ Yes,Ndiyo, Actual ,Kweli, Add to cart,Ongeza kwenye Cart, Budget,Bajeti, -Chart Of Accounts Importer,Chati Ya kuingiza Akaunti, Chart of Accounts,Chati ya Akaunti, Customer database.,Database ya Wateja., Days Since Last order,Siku Tangu Toleo la Mwisho, @@ -4939,7 +4931,6 @@ Closing Account Head,Kufunga kichwa cha Akaunti, POS Customer Group,Kundi la Wateja wa POS, POS Field,Shamba la POS, POS Item Group,Kundi la Bidhaa la POS, -[Select],[Chagua], Company Address,Anwani ya Kampuni, Update Stock,Sasisha Stock, Ignore Pricing Rule,Piga Sheria ya bei, @@ -6597,11 +6588,6 @@ Relieving Date,Tarehe ya Kuondoa, Reason for Leaving,Sababu ya Kuacha, Leave Encashed?,Je! Uacha Encashed?, Encashment Date,Tarehe ya Kuingiza, -Exit Interview Details,Toka Maelezo ya Mahojiano, -Held On,Imewekwa, -Reason for Resignation,Sababu ya Kuondolewa, -Better Prospects,Matarajio Bora, -Health Concerns,Mateso ya Afya, New Workplace,Sehemu Mpya ya Kazi, HR-EAD-.YYYY.-,HR-EAD -YYYY.-, Returned Amount,Kiwango kilichorejeshwa, @@ -8237,9 +8223,6 @@ Landed Cost Help,Msaada wa Gharama za Utoaji, Manufacturers used in Items,Wazalishaji hutumiwa katika Vitu, Limited to 12 characters,Imepunguzwa kwa wahusika 12, MAT-MR-.YYYY.-,MAT-MR -YYYY.-, -Set Warehouse,Weka Ghala, -Sets 'For Warehouse' in each row of the Items table.,Inaweka 'Kwa Ghala' katika kila safu ya jedwali la Vitu., -Requested For,Aliomba, Partially Ordered,Sehemu Iliyoagizwa, Transferred,Imehamishwa, % Ordered,Aliamriwa, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Ombi la Ghala la Vifaa, Select warehouse for material requests,Chagua ghala kwa maombi ya nyenzo, Transfer Materials For Warehouse {0},Vifaa vya Kuhamisha kwa Ghala {0}, Production Plan Material Request Warehouse,Mpango wa Uzalishaji Omba Ghala, -Set From Warehouse,Imewekwa kutoka kwa Ghala, -Source Warehouse (Material Transfer),Ghala la Chanzo (Uhamishaji wa Nyenzo), Sets 'Source Warehouse' in each row of the items table.,Inaweka 'Ghala la Chanzo' katika kila safu ya jedwali la vitu., Sets 'Target Warehouse' in each row of the items table.,Inaweka 'Ghala Lengwa' katika kila safu ya jedwali la vitu., Show Cancelled Entries,Onyesha Wasilisho Zilizofutwa, @@ -9155,7 +9136,6 @@ Professional Tax,Ushuru wa Utaalam, Is Income Tax Component,Ni Sehemu ya Ushuru wa Mapato, Component properties and references ,Vipengele vya mali na marejeleo, Additional Salary ,Mshahara wa Ziada, -Condtion and formula,Condtion na fomula, Unmarked days,Siku ambazo hazijatiwa alama, Absent Days,Siku ambazo hazipo, Conditions and Formula variable and example,Masharti na Mfumo kutofautiana na mfano, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Hitilafu ya ombi la batili, Please check your Plaid client ID and secret values,Tafadhali angalia kitambulisho chako cha mteja wa Plaid na maadili ya siri, Bank transaction creation error,Hitilafu ya kuunda shughuli za benki, Unit of Measurement,Kitengo cha Upimaji, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Safu mlalo # {}: Kiwango cha kuuza cha bidhaa {} ni cha chini kuliko chake {}. Kiwango cha uuzaji kinapaswa kuwa angalau {}, Fiscal Year {0} Does Not Exist,Mwaka wa Fedha {0} Haupo, Row # {0}: Returned Item {1} does not exist in {2} {3},Mstari # {0}: Bidhaa Iliyorudishwa {1} haipo katika {2} {3}, Valuation type charges can not be marked as Inclusive,Gharama za aina ya uthamini haziwezi kutiwa alama kuwa ni pamoja, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Weka Wakati w Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Wakati wa Majibu wa {0} kipaumbele katika safu mlalo {1} hauwezi kuwa mkubwa kuliko Wakati wa Azimio., {0} is not enabled in {1},{0} haijawezeshwa katika {1}, Group by Material Request,Kikundi kwa Ombi la Nyenzo, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Safu mlalo {0}: Kwa Muuzaji {0}, Anwani ya Barua pepe Inahitajika Kutuma Barua pepe", Email Sent to Supplier {0},Barua pepe Iliyotumwa kwa Muuzaji {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Ufikiaji wa Ombi la Nukuu kutoka kwa Portal umezimwa. Kuruhusu Ufikiaji, Wezesha katika Mipangilio ya Portal.", Supplier Quotation {0} Created,Nukuu ya Muuzaji {0} Imeundwa, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Uzito wote uliopewa unapas Account {0} exists in parent company {1}.,Akaunti {0} ipo katika kampuni mama {1}., "To overrule this, enable '{0}' in company {1}","Ili kutawala hii, wezesha '{0}' katika kampuni {1}", Invalid condition expression,Maneno ya batili, +Please Select a Company First,Tafadhali Chagua Kampuni Kwanza, +Please Select Both Company and Party Type First,Tafadhali Chagua Kampuni na Aina ya Sherehe Kwanza, +Provide the invoice portion in percent,Toa sehemu ya ankara kwa asilimia, +Give number of days according to prior selection,Toa idadi ya siku kulingana na uteuzi wa awali, +Email Details,Maelezo ya Barua pepe, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Chagua salamu kwa mpokeaji. Mfano Bwana, Bi.", +Preview Email,Hakiki Barua pepe, +Please select a Supplier,Tafadhali chagua Mtoaji, +Supplier Lead Time (days),Saa ya Kuongoza ya muuzaji (siku), +"Home, Work, etc.","Nyumba, Kazi, n.k.", +Exit Interview Held On,Toka Mahojiano Yaliyofanyika, +Condition and formula,Hali na fomula, +Sets 'Target Warehouse' in each row of the Items table.,Inaweka 'Ghala Lengwa' katika kila safu ya jedwali la Vitu., +Sets 'Source Warehouse' in each row of the Items table.,Inaweka 'Ghala la Chanzo' katika kila safu ya jedwali la Vitu., +POS Register,Jisajili ya POS, +"Can not filter based on POS Profile, if grouped by POS Profile","Haiwezi kuchuja kulingana na Profaili ya POS, ikiwa imepangwa na Profaili ya POS", +"Can not filter based on Customer, if grouped by Customer","Haiwezi kuchuja kulingana na Wateja, ikiwa imepangwa kwa Wateja", +"Can not filter based on Cashier, if grouped by Cashier","Haiwezi kuchuja kulingana na Cashier, ikiwa imepangwa na Cashier", +Payment Method,Njia ya malipo, +"Can not filter based on Payment Method, if grouped by Payment Method","Haiwezi kuchuja kulingana na Njia ya Malipo, ikiwa imepangwa kwa Njia ya Malipo", +Supplier Quotation Comparison,Ulinganishaji wa Nukuu ya Wauzaji, +Price per Unit (Stock UOM),Bei kwa kila Kitengo (UOM ya Hisa), +Group by Supplier,Kikundi na Muuzaji, +Group by Item,Kikundi kwa Bidhaa, +Remember to set {field_label}. It is required by {regulation}.,Kumbuka kuweka {field_label}. Inahitajika na {kanuni}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Tarehe ya Usajili haiwezi kuwa kabla ya Tarehe ya Kuanza ya Mwaka wa Mafunzo {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Tarehe ya Kujiandikisha haiwezi kuwa baada ya Tarehe ya Mwisho ya Kipindi cha Mafunzo {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Tarehe ya Usajili haiwezi kuwa kabla ya Tarehe ya Kuanza ya Kipindi cha Mafunzo {0}, +Posting future transactions are not allowed due to Immutable Ledger,Kutuma shughuli za siku za usoni haziruhusiwi kwa sababu ya Leja Isiyobadilika, +Future Posting Not Allowed,Uchapishaji wa Baadaye Hauruhusiwi, +"To enable Capital Work in Progress Accounting, ","Kuwezesha Kazi ya Mtaji katika Uhasibu wa Maendeleo,", +you must select Capital Work in Progress Account in accounts table,Lazima uchague Kazi ya Mtaji katika Akaunti ya Maendeleo katika jedwali la akaunti, +You can also set default CWIP account in Company {},Unaweza pia kuweka akaunti chaguomsingi ya CWIP katika Kampuni {}, +The Request for Quotation can be accessed by clicking on the following button,Ombi la Nukuu linaweza kupatikana kwa kubonyeza kitufe kifuatacho, +Regards,Salamu, +Please click on the following button to set your new password,Tafadhali bonyeza kitufe kifuatacho ili kuweka nywila yako mpya, +Update Password,Sasisha Nenosiri, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Safu mlalo # {}: Kiwango cha kuuza cha bidhaa {} ni cha chini kuliko chake {}. Uuzaji {} unapaswa kuwa mzuri {}, +You can alternatively disable selling price validation in {} to bypass this validation.,Unaweza pia kuzuia uuzaji wa uthibitishaji wa bei katika {} kupitisha uthibitishaji huu., +Invalid Selling Price,Bei batili ya Uuzaji, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Anwani inahitaji kuunganishwa na Kampuni. Tafadhali ongeza safu kwa Kampuni katika jedwali la Viungo., +Company Not Linked,Kampuni Haijaunganishwa, +Import Chart of Accounts from CSV / Excel files,Leta Chati ya Akaunti kutoka faili za CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',Malipo yaliyokamilika hayawezi kuwa makubwa kuliko 'Gharama ya Kutengeneza', +"Row {0}: For Supplier {1}, Email Address is Required to send an email","Safu mlalo {0}: Kwa Muuzaji {1}, Anwani ya barua pepe inahitajika kutuma barua pepe", diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv index ca7ddfefe2..058aaab1a1 100644 --- a/erpnext/translations/ta.csv +++ b/erpnext/translations/ta.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,வகை வ Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,கட்டணங்கள் ஒவ்வொரு உருப்படியை எதிரான வாங்கும் ரசீது இல் புதுப்பிக்கப்பட்டது, "Charges will be distributed proportionately based on item qty or amount, as per your selection","கட்டணங்கள் விகிதாசாரத்தில் தேர்வு படி, உருப்படி கொத்தமல்லி அல்லது அளவு அடிப்படையில்", -Chart Of Accounts,கணக்கு விளக்கப்படம், Chart of Cost Centers,செலவு மையங்கள் விளக்கப்படம், Check all,அனைத்து பாருங்கள், Checkout,வெளியேறுதல், @@ -581,7 +580,6 @@ Company {0} does not exist,நிறுவனத்தின் {0} இல்ல Compensatory Off,இழப்பீட்டு இனிய, Compensatory leave request days not in valid holidays,செல்லுபடியாகும் விடுமுறை நாட்களில் இழப்பீட்டு விடுப்பு கோரிக்கை நாட்கள் இல்லை, Complaint,புகார், -Completed Qty can not be greater than 'Qty to Manufacture',அது 'அளவு உற்பத்தி செய்ய' நிறைவு அளவு அதிகமாக இருக்க முடியாது, Completion Date,நிறைவு நாள், Computer,கணினி, Condition,நிபந்தனை, @@ -2033,7 +2031,6 @@ Please select Category first,முதல் வகையை தேர்ந் Please select Charge Type first,பொறுப்பு வகை முதல் தேர்வு செய்க, Please select Company,நிறுவனத்தின் தேர்ந்தெடுக்கவும், Please select Company and Designation,"நிறுவனத்தையும், பதவியையும் தேர்ந்தெடுக்கவும்", -Please select Company and Party Type first,முதல் நிறுவனம் மற்றும் கட்சி வகை தேர்ந்தெடுக்கவும், Please select Company and Posting Date to getting entries,உள்ளீடுகளை பெறுவதற்கு கம்பெனி மற்றும் இடுகையிடும் தேதியைத் தேர்ந்தெடுக்கவும், Please select Company first,முதல் நிறுவனம் தேர்ந்தெடுக்கவும், Please select Completion Date for Completed Asset Maintenance Log,பூர்த்தி செய்யப்பட்ட சொத்து பராமரிப்பு பதிவுக்கான நிறைவு தேதி என்பதைத் தேர்ந்தெடுக்கவும், @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,சபைய The name of your company for which you are setting up this system.,நீங்கள் இந்த அமைப்பை அமைக்க இது உங்கள் நிறுவனத்தின் பெயர் ., The number of shares and the share numbers are inconsistent,பங்குகள் மற்றும் பங்கு எண்கள் எண்ணிக்கை சீரற்றதாக உள்ளன, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,கட்டண கட்டண நுழைவுக் கணக்கில் {0} இந்த கட்டண வேண்டுகோளில் கட்டணம் நுழைவாயில் கணக்கிலிருந்து வேறுபட்டது, -The request for quotation can be accessed by clicking on the following link,மேற்கோள் கோரிக்கை பின்வரும் இணைப்பை கிளிக் செய்வதன் மூலம் அணுக முடியும், The selected BOMs are not for the same item,தேர்ந்தெடுக்கப்பட்ட BOM கள் அதே உருப்படியை இல்லை, The selected item cannot have Batch,தேர்ந்தெடுக்கப்பட்ட உருப்படியை தொகுதி முடியாது, The seller and the buyer cannot be the same,விற்பனையாளர் மற்றும் வாங்குபவர் அதே இருக்க முடியாது, @@ -3543,7 +3539,6 @@ Company GSTIN,நிறுவனம் GSTIN, Company field is required,நிறுவனத்தின் புலம் தேவை, Creating Dimensions...,பரிமாணங்களை உருவாக்குதல் ..., Duplicate entry against the item code {0} and manufacturer {1},உருப்படி குறியீடு {0} மற்றும் உற்பத்தியாளர் {1 against க்கு எதிராக நகல் நுழைவு, -Import Chart Of Accounts from CSV / Excel files,CSV / Excel கோப்புகளிலிருந்து கணக்குகளின் விளக்கப்படத்தை இறக்குமதி செய்க, 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 வடிவத்துடன் பொருந்தவில்லை, Invoice Grand Total,விலைப்பட்டியல் கிராண்ட் மொத்தம், Last carbon check date cannot be a future date,கடைசி கார்பன் சோதனை தேதி எதிர்கால தேதியாக இருக்க முடியாது, @@ -3920,7 +3915,6 @@ Plaid authentication error,பிளேட் அங்கீகார பிழ Plaid public token error,பொது டோக்கன் பிழை, Plaid transactions sync error,பிளேட் பரிவர்த்தனைகள் ஒத்திசைவு பிழை, Please check the error log for details about the import errors,இறக்குமதி பிழைகள் பற்றிய விவரங்களுக்கு பிழை பதிவை சரிபார்க்கவும், -Please click on the following link to set your new password,உங்கள் புதிய கடவுச்சொல்லை அமைக்க பின்வரும் இணைப்பை கிளிக் செய்யுங்கள், Please create DATEV Settings for Company {}.,நிறுவனத்திற்கான DATEV அமைப்புகளை உருவாக்கவும் }} ., Please create adjustment Journal Entry for amount {0} ,{0 amount தொகைக்கு சரிசெய்தல் ஜர்னல் உள்ளீட்டை உருவாக்கவும், Please do not create more than 500 items at a time,ஒரு நேரத்தில் 500 க்கும் மேற்பட்ட உருப்படிகளை உருவாக்க வேண்டாம், @@ -4043,7 +4037,6 @@ Search results for,தேடல் முடிவுகள், Select All,அனைத்து தேர்வு, Select Difference Account,வேறுபாடு கணக்கைத் தேர்ந்தெடுக்கவும், Select a Default Priority.,இயல்புநிலை முன்னுரிமையைத் தேர்ந்தெடுக்கவும்., -Select a Supplier from the Default Supplier List of the items below.,கீழே உள்ள பொருட்களின் இயல்புநிலை சப்ளையர் பட்டியலிலிருந்து ஒரு சப்ளையரைத் தேர்ந்தெடுக்கவும்., Select a company,ஒரு நிறுவனத்தைத் தேர்ந்தெடுக்கவும், Select finance book for the item {0} at row {1},{1 row வரிசையில் {0 item உருப்படிக்கு நிதி புத்தகத்தைத் தேர்ந்தெடுக்கவும், Select only one Priority as Default.,இயல்புநிலையாக ஒரே ஒரு முன்னுரிமையைத் தேர்ந்தெடுக்கவும்., @@ -4247,7 +4240,6 @@ Yes,ஆம், Actual ,உண்மையான, Add to cart,வணிக வண்டியில் சேர், Budget,வரவு செலவு திட்டம், -Chart Of Accounts Importer,கணக்குகள் இறக்குமதியாளர் விளக்கப்படம், Chart of Accounts,கணக்குகளின் விளக்கப்படம், Customer database.,வாடிக்கையாளர் தரவுத்தளம்., Days Since Last order,கடந்த சில நாட்களாக கடைசி ஆர்டர், @@ -4939,7 +4931,6 @@ Closing Account Head,கணக்கு தலைமை மூடுவதற் POS Customer Group,பிஓஎஸ் வாடிக்கையாளர் குழு, POS Field,பிஓஎஸ் புலம், POS Item Group,பிஓஎஸ் பொருள் குழு, -[Select],[ தேர்ந்தெடு ], Company Address,நிறுவன முகவரி, Update Stock,பங்கு புதுப்பிக்க, Ignore Pricing Rule,விலை விதி புறக்கணிக்க, @@ -6597,11 +6588,6 @@ Relieving Date,தேதி நிவாரணத்தில், Reason for Leaving,விட்டு காரணம், Leave Encashed?,காசாக்கப்பட்டால் விட்டு?, Encashment Date,பணமாக்கல் தேதி, -Exit Interview Details,பேட்டி விவரம் வெளியேற, -Held On,அன்று நடைபெற்ற, -Reason for Resignation,ராஜினாமாவுக்கான காரணம், -Better Prospects,நல்ல வாய்ப்புகள், -Health Concerns,சுகாதார கவலைகள், New Workplace,புதிய பணியிடத்தை, HR-EAD-.YYYY.-,மனிதவள-EAD-.YYYY.-, Returned Amount,திரும்பிய தொகை, @@ -8237,9 +8223,6 @@ Landed Cost Help,Landed செலவு உதவி, Manufacturers used in Items,பொருட்கள் பயன்படுத்தப்படும் உற்பத்தியாளர்கள், Limited to 12 characters,12 எழுத்துக்கள் மட்டுமே, MAT-MR-.YYYY.-,MAT-எம்-.YYYY.-, -Set Warehouse,கிடங்கை அமைக்கவும், -Sets 'For Warehouse' in each row of the Items table.,உருப்படிகள் அட்டவணையின் ஒவ்வொரு வரிசையிலும் 'கிடங்கிற்காக' அமைக்கிறது., -Requested For,கோரப்பட்ட, Partially Ordered,ஓரளவு உத்தரவிட்டது, Transferred,மாற்றப்பட்டது, % Ordered,% உத்தரவிட்டார், @@ -8688,8 +8671,6 @@ Material Request Warehouse,பொருள் கோரிக்கை கிட Select warehouse for material requests,பொருள் கோரிக்கைகளுக்கு கிடங்கைத் தேர்ந்தெடுக்கவும், Transfer Materials For Warehouse {0},கிடங்கிற்கான பொருட்களை மாற்றவும் {0}, Production Plan Material Request Warehouse,உற்பத்தித் திட்டம் பொருள் கோரிக்கை கிடங்கு, -Set From Warehouse,கிடங்கிலிருந்து அமைக்கவும், -Source Warehouse (Material Transfer),மூல கிடங்கு (பொருள் பரிமாற்றம்), Sets 'Source Warehouse' in each row of the items table.,உருப்படிகளின் அட்டவணையின் ஒவ்வொரு வரிசையிலும் 'மூல கிடங்கு' அமைக்கிறது., Sets 'Target Warehouse' in each row of the items table.,உருப்படிகளின் அட்டவணையின் ஒவ்வொரு வரிசையிலும் 'இலக்கு கிடங்கு' அமைக்கிறது., Show Cancelled Entries,ரத்து செய்யப்பட்ட உள்ளீடுகளைக் காட்டு, @@ -9155,7 +9136,6 @@ Professional Tax,தொழில்முறை வரி, Is Income Tax Component,வருமான வரி கூறு ஆகும், Component properties and references ,உபகரண பண்புகள் மற்றும் குறிப்புகள், Additional Salary ,கூடுதல் சம்பளம், -Condtion and formula,நிபந்தனை மற்றும் சூத்திரம், Unmarked days,குறிக்கப்படாத நாட்கள், Absent Days,இல்லாத நாட்கள், Conditions and Formula variable and example,நிபந்தனைகள் மற்றும் ஃபார்முலா மாறி மற்றும் எடுத்துக்காட்டு, @@ -9442,7 +9422,6 @@ Plaid invalid request error,தவறான கோரிக்கை பிழ Please check your Plaid client ID and secret values,உங்கள் பிளேட் கிளையன்ட் ஐடி மற்றும் ரகசிய மதிப்புகளை சரிபார்க்கவும், Bank transaction creation error,வங்கி பரிவர்த்தனை உருவாக்கும் பிழை, Unit of Measurement,அளவீட்டு அலகு, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},வரிசை # {}: item item உருப்படியின் விற்பனை வீதம் அதன் than than ஐ விட குறைவாக உள்ளது. விற்பனை விகிதம் குறைந்தபட்சம் இருக்க வேண்டும் {}, Fiscal Year {0} Does Not Exist,நிதியாண்டு {0 Ex இருக்காது, Row # {0}: Returned Item {1} does not exist in {2} {3},வரிசை # {0}: திரும்பிய பொருள் {1} {2} {3 in இல் இல்லை, Valuation type charges can not be marked as Inclusive,மதிப்பீட்டு வகை கட்டணங்களை உள்ளடக்கியதாக குறிக்க முடியாது, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,{1 row வர Response Time for {0} priority in row {1} can't be greater than Resolution Time.,{1 row வரிசையில் {0} முன்னுரிமைக்கான மறுமொழி நேரம் தீர்மான நேரத்தை விட அதிகமாக இருக்க முடியாது., {0} is not enabled in {1},{0 in {1 in இல் இயக்கப்படவில்லை, Group by Material Request,பொருள் கோரிக்கை மூலம் குழு, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","வரிசை {0}: சப்ளையருக்கு {0}, மின்னஞ்சல் அனுப்ப மின்னஞ்சல் முகவரி தேவை", Email Sent to Supplier {0},மின்னஞ்சல் சப்ளையருக்கு அனுப்பப்பட்டது {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","போர்ட்டலில் இருந்து மேற்கோள் கோருவதற்கான அணுகல் முடக்கப்பட்டுள்ளது. அணுகலை அனுமதிக்க, அதை போர்டல் அமைப்புகளில் இயக்கு.", Supplier Quotation {0} Created,சப்ளையர் மேற்கோள் {0} உருவாக்கப்பட்டது, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},ஒதுக்கப் Account {0} exists in parent company {1}.,பெற்றோர் நிறுவனமான {1 in இல் கணக்கு {0} உள்ளது., "To overrule this, enable '{0}' in company {1}","இதை மீற, company {company நிறுவனத்தில் '{0}' ஐ இயக்கவும்", Invalid condition expression,தவறான நிலை வெளிப்பாடு, +Please Select a Company First,முதலில் ஒரு நிறுவனத்தைத் தேர்ந்தெடுக்கவும், +Please Select Both Company and Party Type First,முதலில் நிறுவனம் மற்றும் கட்சி வகை இரண்டையும் தேர்ந்தெடுக்கவும், +Provide the invoice portion in percent,விலைப்பட்டியல் பகுதியை சதவீதமாக வழங்கவும், +Give number of days according to prior selection,முந்தைய தேர்வுக்கு ஏற்ப நாட்கள் கொடுங்கள், +Email Details,மின்னஞ்சல் விவரங்கள், +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","பெறுநருக்கு வாழ்த்து ஒன்றைத் தேர்ந்தெடுக்கவும். எ.கா திரு, செல்வி, முதலியன.", +Preview Email,மின்னோட்டத்தை முன்னோட்டமிடுங்கள், +Please select a Supplier,ஒரு சப்ளையரைத் தேர்ந்தெடுக்கவும், +Supplier Lead Time (days),சப்ளையர் முன்னணி நேரம் (நாட்கள்), +"Home, Work, etc.","வீடு, வேலை போன்றவை.", +Exit Interview Held On,வெளியேறும் நேர்காணல் நடைபெற்றது, +Condition and formula,நிபந்தனை மற்றும் சூத்திரம், +Sets 'Target Warehouse' in each row of the Items table.,உருப்படிகள் அட்டவணையின் ஒவ்வொரு வரிசையிலும் 'இலக்கு கிடங்கு' அமைக்கிறது., +Sets 'Source Warehouse' in each row of the Items table.,உருப்படிகள் அட்டவணையின் ஒவ்வொரு வரிசையிலும் 'மூல கிடங்கு' அமைக்கிறது., +POS Register,பிஓஎஸ் பதிவு, +"Can not filter based on POS Profile, if grouped by POS Profile","POS சுயவிவரத்தால் தொகுக்கப்பட்டால், POS சுயவிவரத்தின் அடிப்படையில் வடிகட்ட முடியாது", +"Can not filter based on Customer, if grouped by Customer","வாடிக்கையாளரால் குழுவாக இருந்தால், வாடிக்கையாளரை அடிப்படையாகக் கொண்டு வடிகட்ட முடியாது", +"Can not filter based on Cashier, if grouped by Cashier","காசாளரால் தொகுக்கப்பட்டால், காசாளரின் அடிப்படையில் வடிகட்ட முடியாது", +Payment Method,கட்டணம் செலுத்தும் முறை, +"Can not filter based on Payment Method, if grouped by Payment Method","கொடுப்பனவு முறையால் தொகுக்கப்பட்டால், கட்டண முறையின் அடிப்படையில் வடிகட்ட முடியாது", +Supplier Quotation Comparison,சப்ளையர் மேற்கோள் ஒப்பீடு, +Price per Unit (Stock UOM),ஒரு யூனிட்டுக்கு விலை (பங்கு UOM), +Group by Supplier,சப்ளையர் குழு, +Group by Item,உருப்படி மூலம் குழு, +Remember to set {field_label}. It is required by {regulation}.,{Field_label set ஐ அமைக்க நினைவில் கொள்க. இது {ஒழுங்குமுறை by மூலம் தேவைப்படுகிறது., +Enrollment Date cannot be before the Start Date of the Academic Year {0},சேர்க்கை தேதி கல்வி ஆண்டின் தொடக்க தேதிக்கு முன்பு இருக்கக்கூடாது {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},சேர்க்கை தேதி கல்விக் காலத்தின் இறுதி தேதிக்குப் பிறகு இருக்க முடியாது {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},சேர்க்கை தேதி கல்வி காலத்தின் தொடக்க தேதிக்கு முன்பு இருக்கக்கூடாது {0}, +Posting future transactions are not allowed due to Immutable Ledger,மாற்ற முடியாத லெட்ஜர் காரணமாக எதிர்கால பரிவர்த்தனைகளை இடுகையிடுவது அனுமதிக்கப்படாது, +Future Posting Not Allowed,எதிர்கால இடுகை அனுமதிக்கப்படவில்லை, +"To enable Capital Work in Progress Accounting, ","முன்னேற்ற கணக்கியலில் மூலதன வேலையை இயக்க,", +you must select Capital Work in Progress Account in accounts table,கணக்கு அட்டவணையில் முன்னேற்ற கணக்கில் மூலதன வேலை என்பதை நீங்கள் தேர்ந்தெடுக்க வேண்டும், +You can also set default CWIP account in Company {},நிறுவனத்தில் default default இயல்புநிலை CWIP கணக்கையும் அமைக்கலாம், +The Request for Quotation can be accessed by clicking on the following button,பின்வரும் பொத்தானைக் கிளிக் செய்வதன் மூலம் மேற்கோள் கோரிக்கையை அணுகலாம், +Regards,அன்புடன், +Please click on the following button to set your new password,உங்கள் புதிய கடவுச்சொல்லை அமைக்க பின்வரும் பொத்தானைக் கிளிக் செய்க, +Update Password,கடவுச்சொல்லைப் புதுப்பிக்கவும், +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},வரிசை # {}: item item உருப்படியின் விற்பனை வீதம் அதன் than than ஐ விட குறைவாக உள்ளது. {} விற்க குறைந்தபட்சம் இருக்க வேண்டும் {}, +You can alternatively disable selling price validation in {} to bypass this validation.,இந்த சரிபார்ப்பைத் தவிர்ப்பதற்கு {in இல் விற்பனை விலை சரிபார்ப்பை மாற்றலாம்., +Invalid Selling Price,தவறான விற்பனை விலை, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,முகவரியை ஒரு நிறுவனத்துடன் இணைக்க வேண்டும். இணைப்புகள் அட்டவணையில் நிறுவனத்திற்கான ஒரு வரிசையைச் சேர்க்கவும்., +Company Not Linked,நிறுவனம் இணைக்கப்படவில்லை, +Import Chart of Accounts from CSV / Excel files,CSV / Excel கோப்புகளிலிருந்து கணக்குகளின் இறக்குமதி, +Completed Qty cannot be greater than 'Qty to Manufacture',பூர்த்தி செய்யப்பட்ட Qty 'Qty to Manufacture' ஐ விட அதிகமாக இருக்க முடியாது, +"Row {0}: For Supplier {1}, Email Address is Required to send an email","வரிசை {0}: சப்ளையர் {1 For க்கு, மின்னஞ்சல் அனுப்ப மின்னஞ்சல் முகவரி தேவை", diff --git a/erpnext/translations/te.csv b/erpnext/translations/te.csv index 94752a5902..6ae7413636 100644 --- a/erpnext/translations/te.csv +++ b/erpnext/translations/te.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,రకం  Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,ఆరోపణలు ప్రతి అంశం వ్యతిరేకంగా కొనుగోలు రసీదులు లో నవీకరించబడింది ఉంటాయి, "Charges will be distributed proportionately based on item qty or amount, as per your selection","ఆరోపణలు ఎంత మీ ఎంపిక ప్రకారం, అంశం అంశాల లేదా మొత్తం ఆధారంగా పంపిణీ చేయబడుతుంది", -Chart Of Accounts,ఖాతాల చార్ట్, Chart of Cost Centers,ఖర్చు కేంద్రాలు చార్ట్, Check all,అన్ని తనిఖీ, Checkout,హోటల్ నుంచి బయటకు వెళ్లడం, @@ -581,7 +580,6 @@ Company {0} does not exist,కంపెనీ {0} ఉనికిలో లే Compensatory Off,పరిహారం ఆఫ్, Compensatory leave request days not in valid holidays,చెల్లుబాటు అయ్యే సెలవుదినాల్లో కాంపెన్సేటరీ లీవ్ అభ్యర్థన రోజుల లేదు, Complaint,ఫిర్యాదు, -Completed Qty can not be greater than 'Qty to Manufacture',కంటే 'ప్యాక్ చేసిన అంశాల తయారీకి' పూర్తి ప్యాక్ చేసిన అంశాల ఎక్కువ ఉండకూడదు, Completion Date,పూర్తిచేసే తేదీ, Computer,కంప్యూటర్, Condition,కండిషన్, @@ -2033,7 +2031,6 @@ Please select Category first,మొదటి వర్గం ఎంచుకో Please select Charge Type first,మొదటి ఛార్జ్ రకాన్ని ఎంచుకోండి, Please select Company,కంపెనీ దయచేసి ఎంచుకోండి, Please select Company and Designation,దయచేసి కంపెనీ మరియు హోదాను ఎంచుకోండి, -Please select Company and Party Type first,మొదటి కంపెనీ మరియు పార్టీ రకాన్ని ఎంచుకోండి, Please select Company and Posting Date to getting entries,దయచేసి ఎంట్రీలను పొందడానికి కంపెనీని మరియు పోస్ట్ తేదీని ఎంచుకోండి, Please select Company first,మొదటి కంపెనీ దయచేసి ఎంచుకోండి, Please select Completion Date for Completed Asset Maintenance Log,పూర్తి చేసిన ఆస్తి నిర్వహణ లాగ్ కోసం పూర్తి తేదీని దయచేసి ఎంచుకోండి, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,ఇన్స The name of your company for which you are setting up this system.,మీ కంపెనీ పేరు ఇది కోసం మీరు ఈ వ్యవస్థ ఏర్పాటు., The number of shares and the share numbers are inconsistent,వాటాల సంఖ్య మరియు షేర్ నంబర్లు అస్థిరమైనవి, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,ఈ చెల్లింపు అభ్యర్థనలో చెల్లింపు గేట్వే ఖాతా నుండి చెల్లింపు గేట్వే ఖాతా {0} భిన్నంగా ఉంటుంది, -The request for quotation can be accessed by clicking on the following link,క్రింది లింక్ పై క్లిక్ చేసి కొటేషన్ కోసం అభ్యర్థన ప్రాప్తి చేయవచ్చు, The selected BOMs are not for the same item,ఎంపిక BOMs అదే అంశం కోసం కాదు, The selected item cannot have Batch,ఎంచుకున్న అంశం బ్యాచ్ ఉండకూడదు, The seller and the buyer cannot be the same,విక్రేత మరియు కొనుగోలుదారు ఒకే విధంగా ఉండకూడదు, @@ -3543,7 +3539,6 @@ Company GSTIN,కంపెనీ GSTIN, Company field is required,కంపెనీ ఫీల్డ్ అవసరం, Creating Dimensions...,కొలతలు సృష్టిస్తోంది ..., Duplicate entry against the item code {0} and manufacturer {1},అంశం కోడ్ {0} మరియు తయారీదారు {1} వ్యతిరేకంగా నకిలీ నమోదు, -Import Chart Of Accounts from CSV / Excel files,CSV / Excel ఫైళ్ళ నుండి ఖాతాల చార్ట్ను దిగుమతి చేయండి, 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 ఆకృతితో సరిపోలడం లేదు, Invoice Grand Total,ఇన్వాయిస్ గ్రాండ్ టోటల్, Last carbon check date cannot be a future date,చివరి కార్బన్ చెక్ తేదీ భవిష్యత్ తేదీ కాదు, @@ -3920,7 +3915,6 @@ Plaid authentication error,ప్లాయిడ్ ప్రామాణీక Plaid public token error,పబ్లిక్ టోకెన్ లోపం, Plaid transactions sync error,ప్లాయిడ్ లావాదేవీలు సమకాలీకరణ లోపం, Please check the error log for details about the import errors,దిగుమతి లోపాల గురించి వివరాల కోసం దయచేసి లోపం లాగ్‌ను తనిఖీ చేయండి, -Please click on the following link to set your new password,మీ కొత్త పాస్వర్డ్ను సెట్ క్రింది లింక్పై క్లిక్ చేయండి, Please create DATEV Settings for Company {}.,దయచేసి కంపెనీ కోసం DATE DETV సెట్టింగులను సృష్టించండి }} ., Please create adjustment Journal Entry for amount {0} ,మొత్తం for 0 for కోసం సర్దుబాటు జర్నల్ ఎంట్రీని సృష్టించండి, Please do not create more than 500 items at a time,దయచేసి ఒకేసారి 500 కంటే ఎక్కువ అంశాలను సృష్టించవద్దు, @@ -4043,7 +4037,6 @@ Search results for,కోసం శోధన ఫలితాలు, Select All,అన్ని ఎంచుకోండి, Select Difference Account,తేడా ఖాతాను ఎంచుకోండి, Select a Default Priority.,డిఫాల్ట్ ప్రాధాన్యతను ఎంచుకోండి., -Select a Supplier from the Default Supplier List of the items below.,దిగువ అంశాల డిఫాల్ట్ సరఫరాదారు జాబితా నుండి సరఫరాదారుని ఎంచుకోండి., Select a company,ఒక సంస్థను ఎంచుకోండి, Select finance book for the item {0} at row {1},{1 row వరుసలో {0 item అంశం కోసం ఫైనాన్స్ పుస్తకాన్ని ఎంచుకోండి, Select only one Priority as Default.,డిఫాల్ట్‌గా ఒకే ప్రాధాన్యతను ఎంచుకోండి., @@ -4247,7 +4240,6 @@ Yes,అవును, Actual ,వాస్తవ, Add to cart,కార్ట్ జోడించు, Budget,బడ్జెట్, -Chart Of Accounts Importer,చార్ట్ ఆఫ్ అకౌంట్స్ దిగుమతిదారు, Chart of Accounts,ఖాతాల చార్ట్, Customer database.,కస్టమర్ డేటాబేస్., Days Since Last order,చివరి ఆర్డర్ నుండి రోజుల్లో, @@ -4939,7 +4931,6 @@ Closing Account Head,ఖాతా తల ముగింపు, POS Customer Group,POS కస్టమర్ గ్రూప్, POS Field,POS ఫీల్డ్, POS Item Group,POS అంశం గ్రూప్, -[Select],[ఎంచుకోండి], Company Address,సంస్థ చిరునామా, Update Stock,నవీకరణ స్టాక్, Ignore Pricing Rule,ధర రూల్ విస్మరించు, @@ -6597,11 +6588,6 @@ Relieving Date,ఉపశమనం తేదీ, Reason for Leaving,వదలి వెళ్ళుటకు కారణాలు, Leave Encashed?,Encashed వదిలి?, Encashment Date,ఎన్క్యాష్మెంట్ తేదీ, -Exit Interview Details,ఇంటర్వ్యూ నిష్క్రమించు వివరాలు, -Held On,హెల్డ్ న, -Reason for Resignation,రాజీనామా కారణం, -Better Prospects,మెరుగైన అవకాశాలు, -Health Concerns,ఆరోగ్య కారణాల, New Workplace,కొత్త కార్యాలయంలో, HR-EAD-.YYYY.-,ఆర్ EAD-.YYYY.-, Returned Amount,తిరిగి వచ్చిన మొత్తం, @@ -8237,9 +8223,6 @@ Landed Cost Help,అడుగుపెట్టాయి ఖర్చు సహ Manufacturers used in Items,వాడబడేది తయారీదారులు, Limited to 12 characters,12 అక్షరాలకు పరిమితం, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,గిడ్డంగిని సెట్ చేయండి, -Sets 'For Warehouse' in each row of the Items table.,ఐటమ్స్ టేబుల్ యొక్క ప్రతి వరుసలో 'ఫర్ వేర్‌హౌస్' సెట్ చేస్తుంది., -Requested For,కోసం అభ్యర్థించిన, Partially Ordered,పాక్షికంగా ఆదేశించబడింది, Transferred,బదిలీ, % Ordered,% క్రమ, @@ -8688,8 +8671,6 @@ Material Request Warehouse,మెటీరియల్ రిక్వెస్ Select warehouse for material requests,మెటీరియల్ అభ్యర్థనల కోసం గిడ్డంగిని ఎంచుకోండి, Transfer Materials For Warehouse {0},గిడ్డంగి కోసం పదార్థాలను బదిలీ చేయండి {0}, Production Plan Material Request Warehouse,ఉత్పత్తి ప్రణాళిక మెటీరియల్ అభ్యర్థన గిడ్డంగి, -Set From Warehouse,గిడ్డంగి నుండి సెట్, -Source Warehouse (Material Transfer),మూల గిడ్డంగి (మెటీరియల్ బదిలీ), Sets 'Source Warehouse' in each row of the items table.,అంశాల పట్టికలోని ప్రతి వరుసలో 'సోర్స్ వేర్‌హౌస్' సెట్ చేస్తుంది., Sets 'Target Warehouse' in each row of the items table.,అంశాల పట్టికలోని ప్రతి వరుసలో 'టార్గెట్ వేర్‌హౌస్' సెట్ చేస్తుంది., Show Cancelled Entries,రద్దు చేసిన ఎంట్రీలను చూపించు, @@ -9155,7 +9136,6 @@ Professional Tax,వృత్తి పన్ను, Is Income Tax Component,ఆదాయపు పన్ను భాగం, Component properties and references ,కాంపోనెంట్ లక్షణాలు మరియు సూచనలు, Additional Salary ,అదనపు జీతం, -Condtion and formula,పరిస్థితి మరియు సూత్రం, Unmarked days,గుర్తు తెలియని రోజులు, Absent Days,లేని రోజులు, Conditions and Formula variable and example,షరతులు మరియు ఫార్ములా వేరియబుల్ మరియు ఉదాహరణ, @@ -9442,7 +9422,6 @@ Plaid invalid request error,చెల్లని అభ్యర్థన ల Please check your Plaid client ID and secret values,దయచేసి మీ ప్లాయిడ్ క్లయింట్ ID మరియు రహస్య విలువలను తనిఖీ చేయండి, Bank transaction creation error,బ్యాంక్ లావాదేవీల సృష్టి లోపం, Unit of Measurement,కొలత యూనిట్, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},అడ్డు వరుస # {}: item item అంశం అమ్మకం రేటు దాని than than కన్నా తక్కువ. అమ్మకం రేటు కనీసం ఉండాలి}}, Fiscal Year {0} Does Not Exist,ఆర్థిక సంవత్సరం {0 Ex ఉనికిలో లేదు, Row # {0}: Returned Item {1} does not exist in {2} {3},అడ్డు వరుస # {0}: తిరిగి వచ్చిన అంశం {1} {2} {3 in లో లేదు, Valuation type charges can not be marked as Inclusive,వాల్యుయేషన్ రకం ఛార్జీలు కలుపుకొని ఉన్నట్లు గుర్తించబడవు, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,{1 row వర Response Time for {0} priority in row {1} can't be greater than Resolution Time.,{1 row వరుసలో {0} ప్రాధాన్యత కోసం ప్రతిస్పందన సమయం రిజల్యూషన్ సమయం కంటే ఎక్కువగా ఉండకూడదు., {0} is not enabled in {1},{0 in {1 in లో ప్రారంభించబడలేదు, Group by Material Request,మెటీరియల్ అభ్యర్థన ద్వారా సమూహం, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","{0 row వరుస: సరఫరాదారు {0 For కోసం, ఇమెయిల్ పంపడానికి ఇమెయిల్ చిరునామా అవసరం", Email Sent to Supplier {0},ఇమెయిల్ సరఫరాదారుకు పంపబడింది {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","పోర్టల్ నుండి కొటేషన్ కోసం అభ్యర్థన యాక్సెస్ నిలిపివేయబడింది. ప్రాప్యతను అనుమతించడానికి, పోర్టల్ సెట్టింగులలో దీన్ని ప్రారంభించండి.", Supplier Quotation {0} Created,సరఫరాదారు కొటేషన్ {0} సృష్టించబడింది, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},కేటాయించ Account {0} exists in parent company {1}.,మాతృ సంస్థ {1 in లో ఖాతా {0} ఉంది., "To overrule this, enable '{0}' in company {1}","దీన్ని అధిగమించడానికి, కంపెనీ {1 in లో '{0}' ను ప్రారంభించండి", Invalid condition expression,పరిస్థితి వ్యక్తీకరణ చెల్లదు, +Please Select a Company First,దయచేసి మొదట కంపెనీని ఎంచుకోండి, +Please Select Both Company and Party Type First,మొదట కంపెనీ మరియు పార్టీ రకం రెండింటినీ ఎంచుకోండి, +Provide the invoice portion in percent,ఇన్వాయిస్ భాగాన్ని శాతంలో అందించండి, +Give number of days according to prior selection,ముందస్తు ఎంపిక ప్రకారం రోజుల సంఖ్య ఇవ్వండి, +Email Details,ఇమెయిల్ వివరాలు, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","రిసీవర్ కోసం గ్రీటింగ్ ఎంచుకోండి. ఉదా మిస్టర్, శ్రీమతి, మొదలైనవి.", +Preview Email,ఇమెయిల్ ప్రివ్యూ, +Please select a Supplier,దయచేసి సరఫరాదారుని ఎంచుకోండి, +Supplier Lead Time (days),సరఫరాదారు లీడ్ సమయం (రోజులు), +"Home, Work, etc.","ఇల్లు, పని మొదలైనవి.", +Exit Interview Held On,ఇంటర్వ్యూ నుండి నిష్క్రమించు, +Condition and formula,పరిస్థితి మరియు సూత్రం, +Sets 'Target Warehouse' in each row of the Items table.,ఐటమ్స్ టేబుల్ యొక్క ప్రతి వరుసలో 'టార్గెట్ వేర్‌హౌస్' సెట్ చేస్తుంది., +Sets 'Source Warehouse' in each row of the Items table.,ఐటమ్స్ టేబుల్ యొక్క ప్రతి వరుసలో 'సోర్స్ వేర్‌హౌస్' సెట్ చేస్తుంది., +POS Register,POS రిజిస్టర్, +"Can not filter based on POS Profile, if grouped by POS Profile","POS ప్రొఫైల్ ద్వారా సమూహం చేయబడితే, POS ప్రొఫైల్ ఆధారంగా ఫిల్టర్ చేయలేరు", +"Can not filter based on Customer, if grouped by Customer",కస్టమర్ సమూహం చేస్తే కస్టమర్ ఆధారంగా ఫిల్టర్ చేయలేరు, +"Can not filter based on Cashier, if grouped by Cashier","క్యాషియర్ చేత సమూహం చేయబడితే, క్యాషియర్ ఆధారంగా ఫిల్టర్ చేయలేరు", +Payment Method,చెల్లింపు పద్ధతి, +"Can not filter based on Payment Method, if grouped by Payment Method","చెల్లింపు విధానం ద్వారా సమూహం చేయబడితే, చెల్లింపు విధానం ఆధారంగా ఫిల్టర్ చేయలేరు", +Supplier Quotation Comparison,సరఫరాదారు కొటేషన్ పోలిక, +Price per Unit (Stock UOM),యూనిట్ ధర (స్టాక్ UOM), +Group by Supplier,సరఫరాదారుచే సమూహం, +Group by Item,అంశం ద్వారా సమూహం, +Remember to set {field_label}. It is required by {regulation}.,{Field_label set సెట్ చేయడం గుర్తుంచుకోండి. ఇది {నియంత్రణ by ద్వారా అవసరం., +Enrollment Date cannot be before the Start Date of the Academic Year {0},నమోదు తేదీ విద్యా సంవత్సర ప్రారంభ తేదీకి ముందు ఉండకూడదు {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},నమోదు తేదీ అకాడెమిక్ టర్మ్ {0 ముగింపు తేదీ తర్వాత ఉండకూడదు., +Enrollment Date cannot be before the Start Date of the Academic Term {0},నమోదు తేదీ విద్యా పదం {0 start ప్రారంభ తేదీకి ముందు ఉండకూడదు., +Posting future transactions are not allowed due to Immutable Ledger,మార్పులేని లెడ్జర్ కారణంగా భవిష్యత్ లావాదేవీలను పోస్ట్ చేయడం అనుమతించబడదు, +Future Posting Not Allowed,భవిష్యత్ పోస్టింగ్ అనుమతించబడదు, +"To enable Capital Work in Progress Accounting, ","ప్రోగ్రెస్ అకౌంటింగ్‌లో మూలధన పనిని ప్రారంభించడానికి,", +you must select Capital Work in Progress Account in accounts table,మీరు ఖాతాల పట్టికలో ప్రోగ్రెస్ ఖాతాలో మూలధన పనిని ఎంచుకోవాలి, +You can also set default CWIP account in Company {},మీరు కంపెనీ} in లో డిఫాల్ట్ CWIP ఖాతాను కూడా సెట్ చేయవచ్చు, +The Request for Quotation can be accessed by clicking on the following button,కింది బటన్‌పై క్లిక్ చేయడం ద్వారా కొటేషన్ కోసం అభ్యర్థనను యాక్సెస్ చేయవచ్చు, +Regards,గౌరవంతో, +Please click on the following button to set your new password,దయచేసి మీ క్రొత్త పాస్‌వర్డ్‌ను సెట్ చేయడానికి క్రింది బటన్‌పై క్లిక్ చేయండి, +Update Password,పాస్వర్డ్ను నవీకరించండి, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},అడ్డు వరుస # {}: అంశం item for కోసం అమ్మకం రేటు దాని than than కన్నా తక్కువ. {S అమ్మకం కనీసం ఉండాలి}}, +You can alternatively disable selling price validation in {} to bypass this validation.,ఈ ధ్రువీకరణను దాటవేయడానికి మీరు ప్రత్యామ్నాయంగా price in లో ధర ధ్రువీకరణను నిలిపివేయవచ్చు., +Invalid Selling Price,చెల్లని అమ్మకం ధర, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,చిరునామాను కంపెనీకి లింక్ చేయాలి. దయచేసి లింక్స్ పట్టికలో కంపెనీ కోసం ఒక వరుసను జోడించండి., +Company Not Linked,కంపెనీ లింక్ చేయబడలేదు, +Import Chart of Accounts from CSV / Excel files,CSV / Excel ఫైళ్ళ నుండి ఖాతాల చార్ట్ను దిగుమతి చేయండి, +Completed Qty cannot be greater than 'Qty to Manufacture',పూర్తయిన Qty 'తయారీకి Qty' కంటే ఎక్కువగా ఉండకూడదు, +"Row {0}: For Supplier {1}, Email Address is Required to send an email","అడ్డు వరుస {0}: సరఫరాదారు {1 For కోసం, ఇమెయిల్ పంపడానికి ఇమెయిల్ చిరునామా అవసరం", diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv index 7975e89d4b..fc9e1499d4 100644 --- a/erpnext/translations/th.csv +++ b/erpnext/translations/th.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,ค่าใ Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,ค่าใช้จ่ายที่มีการปรับปรุงในใบเสร็จรับเงินกับแต่ละรายการ, "Charges will be distributed proportionately based on item qty or amount, as per your selection",ค่าใช้จ่ายจะถูกกระจายไปตามสัดส่วนในปริมาณรายการหรือจำนวนเงินตามที่คุณเลือก, -Chart Of Accounts,ผังบัญชี, Chart of Cost Centers,แผนภูมิของศูนย์ต้นทุน, Check all,ตรวจสอบทั้งหมด, Checkout,เช็คเอาท์, @@ -581,7 +580,6 @@ Company {0} does not exist,บริษัท {0} ไม่อยู่, Compensatory Off,ชดเชย ปิด, Compensatory leave request days not in valid holidays,วันที่ขอใบชดเชยไม่อยู่ในวันหยุดที่ถูกต้อง, Complaint,การร้องเรียน, -Completed Qty can not be greater than 'Qty to Manufacture',เสร็จสมบูรณ์จำนวนไม่สามารถจะสูงกว่า 'จำนวนการผลิต', Completion Date,วันที่เสร็จสมบูรณ์, Computer,คอมพิวเตอร์, Condition,สภาพ, @@ -2033,7 +2031,6 @@ Please select Category first,กรุณาเลือก หมวดหม Please select Charge Type first,กรุณาเลือก ประเภท ค่าใช้จ่าย ครั้งแรก, Please select Company,กรุณาเลือก บริษัท, Please select Company and Designation,โปรดเลือก บริษัท และชื่อ, -Please select Company and Party Type first,กรุณาเลือก บริษัท และประเภทพรรคแรก, Please select Company and Posting Date to getting entries,โปรดเลือก บริษัท และผ่านรายการวันที่เพื่อรับรายการ, Please select Company first,กรุณาเลือก บริษัท แรก, Please select Completion Date for Completed Asset Maintenance Log,โปรดเลือกวันที่เสร็จสิ้นสำหรับบันทึกการบำรุงรักษาสินทรัพย์ที่สมบูรณ์, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,ชื่อ The name of your company for which you are setting up this system.,ชื่อของ บริษัท ของคุณ ที่คุณ มีการตั้งค่า ระบบนี้, The number of shares and the share numbers are inconsistent,จำนวนหุ้นและจำนวนหุ้นมีความไม่สอดคล้องกัน, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,บัญชีเกตเวย์การชำระเงินในแผน {0} แตกต่างจากบัญชีเกตเวย์การชำระเงินในคำขอการชำระเงินนี้, -The request for quotation can be accessed by clicking on the following link,การขอใบเสนอราคาสามารถเข้าถึงได้โดยการคลิกที่ลิงค์ต่อไปนี้, The selected BOMs are not for the same item,BOMs ที่เลือกไม่ได้สำหรับรายการเดียวกัน, The selected item cannot have Batch,รายการที่เลือกไม่สามารถมีแบทช์, The seller and the buyer cannot be the same,ผู้ขายและผู้ซื้อต้องไม่เหมือนกัน, @@ -3543,7 +3539,6 @@ Company GSTIN,บริษัท GSTIN, Company field is required,ต้องระบุข้อมูล บริษัท, Creating Dimensions...,กำลังสร้างมิติ ..., Duplicate entry against the item code {0} and manufacturer {1},รายการซ้ำกับรหัสรายการ {0} และผู้ผลิต {1}, -Import Chart Of Accounts from CSV / Excel files,นำเข้าผังบัญชีจากไฟล์ CSV / Excel, 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 ที่ไม่ใช่ผู้อยู่อาศัย, Invoice Grand Total,ยอดรวมใบแจ้งหนี้, Last carbon check date cannot be a future date,วันที่ตรวจสอบคาร์บอนครั้งสุดท้ายไม่สามารถเป็นวันที่ในอนาคตได้, @@ -3920,7 +3915,6 @@ Plaid authentication error,ข้อผิดพลาดการตรวจ Plaid public token error,ทำเครื่องหมายข้อผิดพลาดโทเค็นพับลิก, Plaid transactions sync error,ข้อผิดพลาดในการซิงค์ธุรกรรมของ Plaid, Please check the error log for details about the import errors,โปรดตรวจสอบบันทึกข้อผิดพลาดเพื่อดูรายละเอียดเกี่ยวกับข้อผิดพลาดในการนำเข้า, -Please click on the following link to set your new password,กรุณาคลิกที่ลิงค์ต่อไปนี้เพื่อตั้งค่ารหัสผ่านใหม่ของคุณ, Please create DATEV Settings for Company {}.,โปรดสร้าง การตั้งค่า DATEV สำหรับ บริษัท {}, Please create adjustment Journal Entry for amount {0} ,โปรดสร้างการปรับรายการบันทึกประจำวันสำหรับจำนวน {0}, Please do not create more than 500 items at a time,โปรดอย่าสร้างมากกว่า 500 รายการในเวลาเดียวกัน, @@ -4043,7 +4037,6 @@ Search results for,ผลการค้นหาสำหรับ, Select All,เลือกทั้งหมด, Select Difference Account,เลือกบัญชีที่แตกต่าง, Select a Default Priority.,เลือกลำดับความสำคัญเริ่มต้น, -Select a Supplier from the Default Supplier List of the items below.,เลือกผู้จัดหาจากรายการผู้จัดหาเริ่มต้นของรายการด้านล่าง, Select a company,เลือก บริษัท, Select finance book for the item {0} at row {1},เลือกสมุดการเงินสำหรับรายการ {0} ที่แถว {1}, Select only one Priority as Default.,เลือกลำดับความสำคัญเดียวเป็นค่าเริ่มต้น, @@ -4247,7 +4240,6 @@ Yes,ใช่, Actual ,ตามความเป็นจริง, Add to cart,ใส่ในรถเข็น, Budget,งบประมาณ, -Chart Of Accounts Importer,ผู้นำเข้าผังบัญชี, Chart of Accounts,ผังบัญชี, Customer database.,ฐานข้อมูลลูกค้า, Days Since Last order,วันนับตั้งแต่คำสั่งซื้อล่าสุด, @@ -4939,7 +4931,6 @@ Closing Account Head,ปิดหัวบัญชี, POS Customer Group,กลุ่มลูกค้า จุดขายหน้าร้าน, POS Field,ฟิลด์ POS, POS Item Group,กลุ่มสินค้า จุดขาย, -[Select],[เลือก ], Company Address,ที่อยู่ บริษัท, Update Stock,อัพเดทสต็อก, Ignore Pricing Rule,ละเว้นกฎการกำหนดราคา, @@ -6597,11 +6588,6 @@ Relieving Date,บรรเทาวันที่, Reason for Leaving,เหตุผลที่ลาออก, Leave Encashed?,ฝาก Encashed?, Encashment Date,วันที่การได้เป็นเงินสด, -Exit Interview Details,ออกจากรายละเอียดการสัมภาษณ์, -Held On,จัดขึ้นเมื่อวันที่, -Reason for Resignation,เหตุผลในการลาออก, -Better Prospects,อนาคตที่ดีกว่า, -Health Concerns,ความกังวลเรื่องสุขภาพ, New Workplace,สถานที่ทำงานใหม่, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,จำนวนเงินคืน, @@ -8237,9 +8223,6 @@ Landed Cost Help,Landed ช่วยเหลือค่าใช้จ่า Manufacturers used in Items,ผู้ผลิตนำมาใช้ในรายการ, Limited to 12 characters,จำกัด 12 ตัวอักษร, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,ตั้งคลังสินค้า, -Sets 'For Warehouse' in each row of the Items table.,ตั้งค่า 'สำหรับคลังสินค้า' ในแต่ละแถวของตารางรายการ, -Requested For,สำหรับ การร้องขอ, Partially Ordered,สั่งซื้อบางส่วน, Transferred,โอน, % Ordered,% สั่งแล้ว, @@ -8688,8 +8671,6 @@ Material Request Warehouse,คลังสินค้าขอวัสดุ, Select warehouse for material requests,เลือกคลังสินค้าสำหรับคำขอวัสดุ, Transfer Materials For Warehouse {0},โอนวัสดุสำหรับคลังสินค้า {0}, Production Plan Material Request Warehouse,คลังสินค้าขอวัสดุแผนการผลิต, -Set From Warehouse,ตั้งค่าจากคลังสินค้า, -Source Warehouse (Material Transfer),คลังสินค้าต้นทาง (การขนย้ายวัสดุ), Sets 'Source Warehouse' in each row of the items table.,ตั้งค่า 'Source Warehouse' ในแต่ละแถวของตารางรายการ, Sets 'Target Warehouse' in each row of the items table.,ตั้งค่า 'คลังสินค้าเป้าหมาย' ในแต่ละแถวของตารางรายการ, Show Cancelled Entries,แสดงรายการที่ถูกยกเลิก, @@ -9155,7 +9136,6 @@ Professional Tax,ภาษีวิชาชีพ, Is Income Tax Component,เป็นส่วนประกอบของภาษีเงินได้, Component properties and references ,คุณสมบัติของส่วนประกอบและการอ้างอิง, Additional Salary ,เงินเดือนเพิ่มเติม, -Condtion and formula,สภาพและสูตร, Unmarked days,วันที่ไม่มีเครื่องหมาย, Absent Days,วันที่ขาด, Conditions and Formula variable and example,เงื่อนไขและสูตรตัวแปรและตัวอย่าง, @@ -9442,7 +9422,6 @@ Plaid invalid request error,ข้อผิดพลาดคำขอไม่ Please check your Plaid client ID and secret values,โปรดตรวจสอบรหัสไคลเอ็นต์ Plaid และค่าลับของคุณ, Bank transaction creation error,ข้อผิดพลาดในการสร้างธุรกรรมธนาคาร, Unit of Measurement,หน่วยวัด, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},แถว # {}: อัตราการขายสำหรับสินค้า {} ต่ำกว่าของมัน {} อัตราการขายควรอยู่ที่ขั้นต่ำ {}, Fiscal Year {0} Does Not Exist,ปีบัญชี {0} ไม่มีอยู่, Row # {0}: Returned Item {1} does not exist in {2} {3},แถว # {0}: รายการที่ส่งคืน {1} ไม่มีอยู่ใน {2} {3}, Valuation type charges can not be marked as Inclusive,ไม่สามารถทำเครื่องหมายประเภทการประเมินค่าเป็นแบบรวมได้, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,ตั้ง Response Time for {0} priority in row {1} can't be greater than Resolution Time.,เวลาตอบสนองสำหรับลำดับความสำคัญ {0} ในแถว {1} ต้องไม่มากกว่าเวลาความละเอียด, {0} is not enabled in {1},{0} ไม่ได้เปิดใช้งานใน {1}, Group by Material Request,จัดกลุ่มตามคำขอวัสดุ, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",แถว {0}: สำหรับซัพพลายเออร์ {0} ต้องใช้ที่อยู่อีเมลเพื่อส่งอีเมล, Email Sent to Supplier {0},ส่งอีเมลไปยังซัพพลายเออร์ {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",การเข้าถึงเพื่อขอใบเสนอราคาจากพอร์ทัลถูกปิดใช้งาน ในการอนุญาตการเข้าถึงให้เปิดใช้งานในการตั้งค่าพอร์ทัล, Supplier Quotation {0} Created,สร้างใบเสนอราคาซัพพลายเออร์ {0}, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},น้ำหนักร Account {0} exists in parent company {1}.,บัญชี {0} มีอยู่ใน บริษัท แม่ {1}, "To overrule this, enable '{0}' in company {1}",ในการแก้ไขปัญหานี้ให้เปิดใช้งาน "{0}" ใน บริษัท {1}, Invalid condition expression,นิพจน์เงื่อนไขไม่ถูกต้อง, +Please Select a Company First,กรุณาเลือก บริษัท ก่อน, +Please Select Both Company and Party Type First,โปรดเลือกทั้ง บริษัท และประเภทปาร์ตี้ก่อน, +Provide the invoice portion in percent,ระบุส่วนของใบแจ้งหนี้เป็นเปอร์เซ็นต์, +Give number of days according to prior selection,ระบุจำนวนวันตามการเลือกก่อน, +Email Details,รายละเอียดอีเมล, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.",เลือกคำทักทายสำหรับผู้รับ เช่นนายนางสาว ฯลฯ, +Preview Email,ดูตัวอย่างอีเมล, +Please select a Supplier,โปรดเลือกซัพพลายเออร์, +Supplier Lead Time (days),ระยะเวลาดำเนินการของซัพพลายเออร์ (วัน), +"Home, Work, etc.",บ้านที่ทำงาน ฯลฯ, +Exit Interview Held On,ออกจากการสัมภาษณ์จัดขึ้นเมื่อวันที่, +Condition and formula,เงื่อนไขและสูตร, +Sets 'Target Warehouse' in each row of the Items table.,ตั้งค่า 'คลังสินค้าเป้าหมาย' ในแต่ละแถวของตารางรายการ, +Sets 'Source Warehouse' in each row of the Items table.,ตั้งค่า 'คลังต้นทาง' ในแต่ละแถวของตารางรายการ, +POS Register,ลงทะเบียน POS, +"Can not filter based on POS Profile, if grouped by POS Profile",ไม่สามารถกรองตามโพรไฟล์ POS หากจัดกลุ่มตามโพรไฟล์ POS, +"Can not filter based on Customer, if grouped by Customer",ไม่สามารถกรองตามลูกค้าหากจัดกลุ่มตามลูกค้า, +"Can not filter based on Cashier, if grouped by Cashier",ไม่สามารถกรองตามแคชเชียร์หากจัดกลุ่มตามแคชเชียร์, +Payment Method,วิธีการชำระเงิน, +"Can not filter based on Payment Method, if grouped by Payment Method",ไม่สามารถกรองตามวิธีการชำระเงินหากจัดกลุ่มตามวิธีการชำระเงิน, +Supplier Quotation Comparison,การเปรียบเทียบใบเสนอราคาของซัพพลายเออร์, +Price per Unit (Stock UOM),ราคาต่อหน่วย (Stock UOM), +Group by Supplier,จัดกลุ่มตามซัพพลายเออร์, +Group by Item,จัดกลุ่มตามรายการ, +Remember to set {field_label}. It is required by {regulation}.,อย่าลืมตั้งค่า {field_label} จำเป็นต้องมีตาม {ระเบียบ}, +Enrollment Date cannot be before the Start Date of the Academic Year {0},วันที่ลงทะเบียนต้องไม่อยู่ก่อนวันที่เริ่มต้นปีการศึกษา {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},วันที่ลงทะเบียนต้องไม่อยู่หลังวันสิ้นสุดของภาคการศึกษา {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},วันที่ลงทะเบียนต้องไม่อยู่ก่อนวันที่เริ่มภาคเรียน {0}, +Posting future transactions are not allowed due to Immutable Ledger,ไม่อนุญาตให้โพสต์ธุรกรรมในอนาคตเนื่องจากบัญชีแยกประเภทไม่เปลี่ยนรูป, +Future Posting Not Allowed,ไม่อนุญาตให้โพสต์ในอนาคต, +"To enable Capital Work in Progress Accounting, ",เพื่อเปิดใช้งานการบัญชีงานทุนระหว่างดำเนินการ, +you must select Capital Work in Progress Account in accounts table,คุณต้องเลือกบัญชีทุนระหว่างดำเนินงานในตารางบัญชี, +You can also set default CWIP account in Company {},คุณยังสามารถตั้งค่าบัญชี CWIP เริ่มต้นใน บริษัท {}, +The Request for Quotation can be accessed by clicking on the following button,สามารถเข้าถึงคำขอใบเสนอราคาได้โดยคลิกที่ปุ่มต่อไปนี้, +Regards,ความนับถือ, +Please click on the following button to set your new password,กรุณาคลิกที่ปุ่มต่อไปนี้เพื่อตั้งรหัสผ่านใหม่ของคุณ, +Update Password,อัปเดตรหัสผ่าน, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},แถว # {}: อัตราการขายสำหรับสินค้า {} ต่ำกว่าของมัน {} การขาย {} ควรเป็นอย่างน้อยที่สุด {}, +You can alternatively disable selling price validation in {} to bypass this validation.,คุณสามารถปิดใช้งานการตรวจสอบราคาขายได้ใน {} เพื่อข้ามการตรวจสอบความถูกต้องนี้, +Invalid Selling Price,ราคาขายไม่ถูกต้อง, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,ที่อยู่จะต้องเชื่อมโยงกับ บริษัท โปรดเพิ่มแถวสำหรับ บริษัท ในตารางลิงค์, +Company Not Linked,บริษัท ไม่ได้เชื่อมโยง, +Import Chart of Accounts from CSV / Excel files,นำเข้าผังบัญชีจากไฟล์ CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',จำนวนที่เสร็จสมบูรณ์ต้องไม่เกิน 'จำนวนที่จะผลิต', +"Row {0}: For Supplier {1}, Email Address is Required to send an email",แถว {0}: สำหรับซัพพลายเออร์ {1} ต้องใช้ที่อยู่อีเมลเพื่อส่งอีเมล, diff --git a/erpnext/translations/tr.csv b/erpnext/translations/tr.csv index a42cc58370..2a8d990267 100644 --- a/erpnext/translations/tr.csv +++ b/erpnext/translations/tr.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Satır {0}'da Chargeble,chargeble, Charges are updated in Purchase Receipt against each item,Ücretler her öğenin karşı Satınalma Fiş güncellenir, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Masraflar orantılı seçiminize göre, madde qty veya miktarına göre dağıtılmış olacak", -Chart Of Accounts,Hesap tablosu, Chart of Cost Centers,Maliyet Merkezlerinin Grafikleri, Check all,Tümünü kontrol, Checkout,Çıkış yapmak, @@ -581,7 +580,6 @@ Company {0} does not exist,Şirket {0} yok, Compensatory Off,Telafi İzni, Compensatory leave request days not in valid holidays,Telafi izin isteme günleri geçerli tatil günlerinde geçerli değildir, Complaint,şikâyet, -Completed Qty can not be greater than 'Qty to Manufacture',Daha 'Miktar imalatı için' Tamamlandı Adet büyük olamaz, Completion Date,Bitiş Tarihi, Computer,Bilgisayar, Condition,Koşul, @@ -2033,7 +2031,6 @@ Please select Category first,İlk Kategori seçiniz, Please select Charge Type first,İlk şarj türünü seçiniz, Please select Company,Firma seçiniz, Please select Company and Designation,Lütfen Şirket ve Atama'yı seçiniz, -Please select Company and Party Type first,İlk Şirket ve Parti Tipi seçiniz, Please select Company and Posting Date to getting entries,Giriş almak için lütfen Şirket ve Gönderme Tarihi'ni seçin., Please select Company first,İlk Şirket seçiniz, Please select Completion Date for Completed Asset Maintenance Log,Tamamlanan Varlık Bakım Günlüğü için Tamamlanma Tarihi'ni seçin, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Enstitünün The name of your company for which you are setting up this system.,Bu sistemi kurduğunu şirketinizin adı, The number of shares and the share numbers are inconsistent,Hisse sayısı ve hisse sayıları tutarsız, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,"{0} planındaki ödeme ağ geçidi hesabı, bu ödeme isteğindeki ödeme ağ geçidi hesabından farklıdır", -The request for quotation can be accessed by clicking on the following link,tırnak talebi aşağıdaki linke tıklayarak ulaşabilirsiniz, The selected BOMs are not for the same item,Seçilen malzeme listeleri aynı madde için değildir, The selected item cannot have Batch,Seçilen öğe Toplu olamaz, The seller and the buyer cannot be the same,Satıcı ve alıcı aynı olamaz, @@ -3543,7 +3539,6 @@ Company GSTIN,Şirket GSTIN, Company field is required,Şirket alanı zorunludur, Creating Dimensions...,Boyutların Oluşturulması ..., Duplicate entry against the item code {0} and manufacturer {1},{0} ürün koduna ve {1} üreticisine karşı yinelenen giriş, -Import Chart Of Accounts from CSV / Excel files,CSV / Excel dosyalarından Hesap Planını İçe Aktar, 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", Invoice Grand Total,Fatura Genel Toplamı, Last carbon check date cannot be a future date,Son karbon kontrol tarihi gelecekteki bir tarih olamaz, @@ -3920,7 +3915,6 @@ Plaid authentication error,Ekose kimlik doğrulama hatası, Plaid public token error,Ekose genel belirteç hatası, Plaid transactions sync error,Ekose işlemler senkronizasyon hatası, Please check the error log for details about the import errors,Lütfen içe aktarma hatalarıyla ilgili ayrıntılar için hata günlüğünü kontrol edin, -Please click on the following link to set your new password,Yeni şifrenizi ayarlamak için aşağıdaki linke tıklayınız, Please create DATEV Settings for Company {}.,Lütfen {} Şirketi için DATEV Ayarları oluşturun., Please create adjustment Journal Entry for amount {0} ,Lütfen {0} tutarı için Dergi Girişi ayarlamasını oluşturun, Please do not create more than 500 items at a time,Lütfen bir kerede 500'den fazla öğe oluşturmayın, @@ -4043,7 +4037,6 @@ Search results for,için arama sonuçları, Select All,Tümünü Seç, Select Difference Account,Fark Hesabı Seç, Select a Default Priority.,Varsayılan bir öncelik seçin., -Select a Supplier from the Default Supplier List of the items below.,Aşağıdaki öğelerin Varsayılan Tedarikçi Listesinden bir Tedarikçi seçin., Select a company,Bir şirket seçin, Select finance book for the item {0} at row {1},{1} satırındaki {0} maddesi için finansman kitabını seçin, Select only one Priority as Default.,Varsayılan olarak sadece bir Öncelik seçin., @@ -4247,7 +4240,6 @@ Yes,Evet, Actual ,Gerçek, Add to cart,Sepete ekle, Budget,Bütçe, -Chart Of Accounts Importer,İhracatçı Hesap Planı, Chart of Accounts,Hesap tablosu, Customer database.,Müşteri veritabanı., Days Since Last order,Son siparişten bu yana geçen günler, @@ -4939,7 +4931,6 @@ Closing Account Head,Kapanış Hesap Başkanı, POS Customer Group,POS Müşteri Grubu, POS Field,POS Alanı, POS Item Group,POS Ürün Grubu, -[Select],[Seç], Company Address,şirket adresi, Update Stock,Stok güncelle, Ignore Pricing Rule,Fiyatlandırma Kuralı Yoksay, @@ -6597,11 +6588,6 @@ Relieving Date,Ayrılma Tarihi, Reason for Leaving,Ayrılma Nedeni, Leave Encashed?,İzin Tahsil Edilmiş mi?, Encashment Date,Nakit Çekim Tarihi, -Exit Interview Details,Çıkış Görüşmesi Detayları, -Held On,Yapılan, -Reason for Resignation,İstifa Nedeni, -Better Prospects,Iyi Beklentiler, -Health Concerns,Sağlık Sorunları, New Workplace,Yeni İş Yeri, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,İade Edilen Tutar, @@ -8237,9 +8223,6 @@ Landed Cost Help,Indi Maliyet Yardım, Manufacturers used in Items,Öğeler kullanılan Üreticileri, Limited to 12 characters,12 karakter ile sınırlıdır, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Depo Ayarla, -Sets 'For Warehouse' in each row of the Items table.,Kalemler tablosunun her satırında 'Depo için' ayarlar., -Requested For,Için talep, Partially Ordered,Kısmen Sipariş Edildi, Transferred,aktarılan, % Ordered,% Sipariş edildi, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Malzeme Talebi Deposu, Select warehouse for material requests,Malzeme talepleri için depo seçin, Transfer Materials For Warehouse {0},Depo İçin Transfer Malzemeleri {0}, Production Plan Material Request Warehouse,Üretim Planı Malzeme Talebi Depo, -Set From Warehouse,Depodan Ayarla, -Source Warehouse (Material Transfer),Kaynak Depo (Malzeme Transferi), Sets 'Source Warehouse' in each row of the items table.,Kalemler tablosunun her satırında 'Kaynak Depo' ayarlar., Sets 'Target Warehouse' in each row of the items table.,Kalem tablosunun her satırında 'Hedef Depo' ayarlar., Show Cancelled Entries,İptal Edilen Girişleri Göster, @@ -9155,7 +9136,6 @@ Professional Tax,Mesleki vergi, Is Income Tax Component,Gelir Vergisi Bileşeni, Component properties and references ,Bileşen özellikleri ve referansları, Additional Salary ,Ek Maaş, -Condtion and formula,Durum ve formül, Unmarked days,İşaretlenmemiş günler, Absent Days,Devamsızlık Günleri, Conditions and Formula variable and example,Koşullar ve Formül değişkeni ve örnek, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Ekose geçersiz istek hatası, Please check your Plaid client ID and secret values,Lütfen Plaid müşteri kimliğinizi ve gizli değerlerinizi kontrol edin, Bank transaction creation error,Banka işlemi oluşturma hatası, Unit of Measurement,Ölçü birimi, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},"Satır # {}: {} öğesinin satış oranı, {} değerinden düşük. Satış oranı en az olmalıdır {}", Fiscal Year {0} Does Not Exist,Mali Yıl {0} Mevcut Değil, Row # {0}: Returned Item {1} does not exist in {2} {3},"Satır # {0}: İade Edilen Öğe {1}, {2} {3} içinde mevcut değil", Valuation type charges can not be marked as Inclusive,"Değerleme türü ücretler, Kapsayıcı olarak işaretlenemez", @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,{1} satırın Response Time for {0} priority in row {1} can't be greater than Resolution Time.,"{1} satırındaki {0} önceliği için Yanıt Süresi, Çözüm Süresinden fazla olamaz.", {0} is not enabled in {1},"{0}, {1} içinde etkinleştirilmedi", Group by Material Request,Malzeme Talebine Göre Gruplama, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Satır {0}: Tedarikçi {0} için, E-posta Göndermek İçin E-posta Adresi Gereklidir", Email Sent to Supplier {0},Tedarikçiye Gönderilen E-posta {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",Portaldan Teklif İsteğine Erişim Devre Dışı Bırakıldı. Erişime İzin Vermek için Portal Ayarlarında etkinleştirin., Supplier Quotation {0} Created,Tedarikçi Teklifi {0} Oluşturuldu, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Atanan toplam ağırlık% Account {0} exists in parent company {1}.,"{0} hesabı, {1} ana şirkette var.", "To overrule this, enable '{0}' in company {1}","Bunu geçersiz kılmak için, {1} şirketinde "{0}" özelliğini etkinleştirin", Invalid condition expression,Geçersiz koşul ifadesi, +Please Select a Company First,Lütfen Önce Bir Şirket Seçin, +Please Select Both Company and Party Type First,Lütfen Önce Şirket ve Parti Türünü Seçin, +Provide the invoice portion in percent,Fatura kısmını yüzde olarak sağlayın, +Give number of days according to prior selection,Önceki seçime göre gün sayısı verin, +Email Details,E-posta Ayrıntıları, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Alıcı için bir karşılama mesajı seçin. Örneğin Bay, Bayan, vb.", +Preview Email,E-postayı Önizle, +Please select a Supplier,Lütfen bir Tedarikçi seçin, +Supplier Lead Time (days),Tedarikçi Teslimat Süresi (gün), +"Home, Work, etc.","Ev, İş vb.", +Exit Interview Held On,Yapılan Görüşmeden Çık, +Condition and formula,Durum ve formül, +Sets 'Target Warehouse' in each row of the Items table.,Kalemler tablosunun her satırında 'Hedef Depo' ayarlar., +Sets 'Source Warehouse' in each row of the Items table.,Kalemler tablosunun her satırında 'Kaynak Depo' ayarlar., +POS Register,POS Kaydı, +"Can not filter based on POS Profile, if grouped by POS Profile","POS Profiline göre gruplandırılmışsa, POS Profiline göre filtreleme yapılamaz", +"Can not filter based on Customer, if grouped by Customer","Müşteriye göre gruplandırılmışsa, Müşteriye göre filtreleme yapılamaz", +"Can not filter based on Cashier, if grouped by Cashier",Kasiyere göre gruplandırılmışsa Kasiyere göre filtre edilemez, +Payment Method,Ödeme şekli, +"Can not filter based on Payment Method, if grouped by Payment Method",Ödeme Yöntemine göre gruplandırılmışsa Ödeme Yöntemine göre filtreleme yapılamaz, +Supplier Quotation Comparison,Tedarikçi Teklif Karşılaştırması, +Price per Unit (Stock UOM),Birim Fiyat (Stok UOM), +Group by Supplier,Tedarikçiye Göre Gruplama, +Group by Item,Öğeye Göre Gruplama, +Remember to set {field_label}. It is required by {regulation}.,{Field_label} ayarlamayı unutmayın. {Düzenleme} tarafından gereklidir., +Enrollment Date cannot be before the Start Date of the Academic Year {0},"Kayıt Tarihi, Akademik Yılın Başlangıç Tarihinden önce olamaz {0}", +Enrollment Date cannot be after the End Date of the Academic Term {0},Kayıt Tarihi Akademik Dönemin Bitiş Tarihinden sonra olamaz {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},"Kayıt Tarihi, Akademik Dönemin Başlangıç Tarihinden önce olamaz {0}", +Posting future transactions are not allowed due to Immutable Ledger,Immutable Ledger nedeniyle gelecekteki işlemlerin kaydedilmesine izin verilmiyor, +Future Posting Not Allowed,Gelecekte Göndermeye İzin Verilmiyor, +"To enable Capital Work in Progress Accounting, ","Devam Eden Sermaye Çalışması Muhasebesini etkinleştirmek için,", +you must select Capital Work in Progress Account in accounts table,hesaplar tablosunda Devam Eden Sermaye İşlemi Hesabını seçmelisiniz, +You can also set default CWIP account in Company {},"Ayrıca, Şirket içinde varsayılan CWIP hesabı da ayarlayabilirsiniz {}", +The Request for Quotation can be accessed by clicking on the following button,Teklif Talebine aşağıdaki butona tıklanarak ulaşılabilir., +Regards,Saygılarımızla, +Please click on the following button to set your new password,Yeni şifrenizi belirlemek için lütfen aşağıdaki düğmeyi tıklayın, +Update Password,Şifreyi güncelle, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},"Satır # {}: {} öğesinin satış oranı, {} değerinden düşük. {} Satışı en az {} olmalıdır", +You can alternatively disable selling price validation in {} to bypass this validation.,Bu doğrulamayı atlamak için alternatif olarak {} içinde satış fiyatı doğrulamasını devre dışı bırakabilirsiniz., +Invalid Selling Price,Geçersiz Satış Fiyatı, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Adresin bir Şirkete bağlanması gerekir. Lütfen Bağlantılar tablosuna Şirket için bir satır ekleyin., +Company Not Linked,Şirket Bağlı Değil, +Import Chart of Accounts from CSV / Excel files,Hesap Planını CSV / Excel dosyalarından içe aktarın, +Completed Qty cannot be greater than 'Qty to Manufacture',Tamamlanan Miktar "Üretilecek Miktar" dan büyük olamaz, +"Row {0}: For Supplier {1}, Email Address is Required to send an email","Satır {0}: Tedarikçi {1} için, e-posta göndermek için E-posta Adresi Gereklidir", diff --git a/erpnext/translations/uk.csv b/erpnext/translations/uk.csv index 46feef2f53..2cc6476a76 100644 --- a/erpnext/translations/uk.csv +++ b/erpnext/translations/uk.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Нараху Chargeble,Зарядний, Charges are updated in Purchase Receipt against each item,Збори у прихідній накладній оновлюються по кожній позиції, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Збори будуть розподілені пропорційно на основі к-сті або суми, за Вашим вибором", -Chart Of Accounts,План рахунків, Chart of Cost Centers,Перелік центрів витрат, Check all,Перевірити все, Checkout,Перевірити, @@ -581,7 +580,6 @@ Company {0} does not exist,Компанія {0} не існує, Compensatory Off,Компенсаційні Викл, Compensatory leave request days not in valid holidays,Заявки на компенсаційну відпустку не діють на дійсних вихідних днях, Complaint,Скарга, -Completed Qty can not be greater than 'Qty to Manufacture',"Завершена к-сть не може бути більше, ніж ""к-сть для виробництва""", Completion Date,Дата Виконання, Computer,Комп'ютер, Condition,Стан, @@ -2033,7 +2031,6 @@ Please select Category first,"Ласка, виберіть категорію с Please select Charge Type first,"Будь ласка, виберіть спочатку тип стягнення", Please select Company,"Будь ласка, виберіть компанію", Please select Company and Designation,"Будь ласка, виберіть компанію та позначення", -Please select Company and Party Type first,"Будь ласка, виберіть компанію та контрагента спершу", Please select Company and Posting Date to getting entries,"Будь ласка, виберіть компанію та дату публікації, щоб отримувати записи", Please select Company first,"Будь ласка, виберіть компанію спочатку", Please select Completion Date for Completed Asset Maintenance Log,"Будь ласка, виберіть Дата завершення для завершеного журналу обслуговування активів", @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,"Назва The name of your company for which you are setting up this system.,"Назва вашої компанії, для якої ви налаштовуєте цю систему.", The number of shares and the share numbers are inconsistent,Кількість акцій та кількість акцій непослідовна, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Платіжний шлюзовий обліковий запис у плані {0} відрізняється від облікового запису шлюзу платежу в цьому платіжному запиті, -The request for quotation can be accessed by clicking on the following link,"Запит котирувань можна отримати, перейшовши за наступним посиланням", The selected BOMs are not for the same item,Вибрані Норми не для тієї ж позиції, The selected item cannot have Batch,Обрана номенклатурна позиція не може мати партій, The seller and the buyer cannot be the same,Продавець і покупець не можуть бути однаковими, @@ -3543,7 +3539,6 @@ Company GSTIN,Компанія GSTIN, Company field is required,Поле компанії обов'язкове, Creating Dimensions...,Створення розмірів ..., Duplicate entry against the item code {0} and manufacturer {1},Дублікат запису проти коду товару {0} та виробника {1}, -Import Chart Of Accounts from CSV / Excel files,Імпорт рахунків з файлів CSV / Excel, 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 нерезидентів, Invoice Grand Total,Рахунок-фактура Велика сума, Last carbon check date cannot be a future date,Остання дата перевірки викидів вуглецю не може бути майбутньою датою, @@ -3920,7 +3915,6 @@ Plaid authentication error,Помилка аутентифікації в пла Plaid public token error,Помилка публічного маркера, Plaid transactions sync error,Помилка синхронізації транзакцій у пладі, Please check the error log for details about the import errors,"Перевірте журнал помилок, щоб дізнатись про помилки імпорту", -Please click on the following link to set your new password,"Будь ласка, натисніть на посилання, щоб встановити новий пароль", Please create DATEV Settings for Company {}.,Створіть налаштування DATEV для компанії {} ., Please create adjustment Journal Entry for amount {0} ,"Будь ласка, створіть коригувальну запис у журналі на суму {0}", Please do not create more than 500 items at a time,"Будь ласка, не створюйте більше 500 елементів одночасно", @@ -4043,7 +4037,6 @@ Search results for,Результати пошуку для, Select All,Вибрати все, Select Difference Account,Виберіть Рахунок різниці, Select a Default Priority.,Виберіть пріоритет за замовчуванням., -Select a Supplier from the Default Supplier List of the items below.,"Виберіть постачальника зі списку постачальників за замовчуванням елементів, наведених нижче.", Select a company,Виберіть компанію, Select finance book for the item {0} at row {1},Виберіть книгу фінансів для елемента {0} у рядку {1}, Select only one Priority as Default.,Виберіть лише один пріоритет як за замовчуванням., @@ -4247,7 +4240,6 @@ Yes,Так, Actual ,Фактичний, Add to cart,Додати в кошик, Budget,Бюджет, -Chart Of Accounts Importer,План імпортера рахунків, Chart of Accounts,Діаграма рахунків, Customer database.,База даних клієнтів., Days Since Last order,Дні з останнього ордена, @@ -4939,7 +4931,6 @@ Closing Account Head,Рахунок закриття, POS Customer Group,POS Група клієнтів, POS Field,Поле POS, POS Item Group,POS Item Group, -[Select],[Виберіть], Company Address,адреса компанії, Update Stock,Оновити запас, Ignore Pricing Rule,Ігнорувати цінове правило, @@ -6597,11 +6588,6 @@ Relieving Date,Дата звільнення, Reason for Leaving,Причина звільнення, Leave Encashed?,Оплачуване звільнення?, Encashment Date,Дата виплати, -Exit Interview Details,Деталі співбесіди при звільненні, -Held On,Проводилася, -Reason for Resignation,Причина відставки, -Better Prospects,Кращі перспективи, -Health Concerns,Проблеми Здоров'я, New Workplace,Нове місце праці, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Повернута сума, @@ -8237,9 +8223,6 @@ Landed Cost Help,Довідка з кінцевої вартості, Manufacturers used in Items,"Виробники, що використовувалися у позиції", Limited to 12 characters,Обмежено до 12 символів, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Встановити Склад, -Sets 'For Warehouse' in each row of the Items table.,Встановлює 'Для складу' у кожному рядку таблиці Елементи., -Requested For,Замовляється для, Partially Ordered,Частково впорядковано, Transferred,передано, % Ordered,% Замовлено, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Склад матеріалів запиту, Select warehouse for material requests,Виберіть склад для запитів матеріалів, Transfer Materials For Warehouse {0},Передати матеріали на склад {0}, Production Plan Material Request Warehouse,Склад виробничого плану запиту складу, -Set From Warehouse,Встановити зі складу, -Source Warehouse (Material Transfer),Склад джерела (передача матеріалів), Sets 'Source Warehouse' in each row of the items table.,Встановлює 'Склад джерела' у кожному рядку таблиці елементів., Sets 'Target Warehouse' in each row of the items table.,Встановлює "Цільовий склад" у кожному рядку таблиці елементів., Show Cancelled Entries,Показати скасовані записи, @@ -9155,7 +9136,6 @@ Professional Tax,Професійний податок, Is Income Tax Component,Є складовою податку на прибуток, Component properties and references ,Властивості компонента та посилання, Additional Salary ,Додаткова зарплата, -Condtion and formula,Стан і формула, Unmarked days,Непозначені дні, Absent Days,Відсутні дні, Conditions and Formula variable and example,Умови та формула змінна та приклад, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Помилка недійсного запиту п Please check your Plaid client ID and secret values,"Будь ласка, перевірте свій ідентифікатор клієнта Plaid та секретні значення", Bank transaction creation error,Помилка створення банківської операції, Unit of Measurement,Одиниця виміру, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},"Рядок № {}: коефіцієнт продажу товару {} нижчий, ніж {}. Курс продажу повинен бути не менше {}", Fiscal Year {0} Does Not Exist,Фінансовий рік {0} не існує, Row # {0}: Returned Item {1} does not exist in {2} {3},Рядок № {0}: повернутий товар {1} не існує в {2} {3}, Valuation type charges can not be marked as Inclusive,Оплата за тип оцінки не може бути позначена як Включна, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Встано Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Час відповіді для {0} пріоритету в рядку {1} не може бути більше часу роздільної здатності., {0} is not enabled in {1},{0} не ввімкнено в {1}, Group by Material Request,Групувати за запитом на матеріали, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Рядок {0}: для постачальника {0} для надсилання електронної пошти потрібна електронна адреса, Email Sent to Supplier {0},"Електронний лист, надісланий постачальнику {0}", "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Доступ до запиту на пропозицію з порталу відключений. Щоб дозволити доступ, увімкніть його в налаштуваннях порталу.", Supplier Quotation {0} Created,Котирування постачальника {0} Створено, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Загальна приз Account {0} exists in parent company {1}.,Обліковий запис {0} існує в материнській компанії {1}., "To overrule this, enable '{0}' in company {1}","Щоб скасувати це, увімкніть "{0}" у компанії {1}", Invalid condition expression,Недійсний вираз умови, +Please Select a Company First,"Будь ласка, спершу виберіть компанію", +Please Select Both Company and Party Type First,"Будь ласка, спочатку виберіть тип компанії та партії", +Provide the invoice portion in percent,Надайте частину рахунку-фактури у відсотках, +Give number of days according to prior selection,Вкажіть кількість днів відповідно до попереднього відбору, +Email Details,Деталі електронної пошти, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Виберіть привітання для приймача. Наприклад, пан, пані та ін.", +Preview Email,Попередній перегляд електронної пошти, +Please select a Supplier,Виберіть постачальника, +Supplier Lead Time (days),Час виконання постачальника (дні), +"Home, Work, etc.","Дім, робота тощо.", +Exit Interview Held On,Вихідне інтерв’ю проведено, +Condition and formula,Умова і формула, +Sets 'Target Warehouse' in each row of the Items table.,Встановлює 'Цільовий склад' у кожному рядку таблиці Елементи., +Sets 'Source Warehouse' in each row of the Items table.,Встановлює 'Source Warehouse' у кожному рядку таблиці Items., +POS Register,POS-реєстр, +"Can not filter based on POS Profile, if grouped by POS Profile","Неможливо відфільтрувати на основі POS-профілю, якщо згруповано за POS-профілем", +"Can not filter based on Customer, if grouped by Customer","Неможливо відфільтрувати на основі Клієнта, якщо згруповано за Клієнтом", +"Can not filter based on Cashier, if grouped by Cashier","Неможливо відфільтрувати на основі каси, якщо згруповано за касою", +Payment Method,Спосіб оплати, +"Can not filter based on Payment Method, if grouped by Payment Method","Неможливо відфільтрувати на основі способу оплати, якщо згруповано за способом оплати", +Supplier Quotation Comparison,Порівняння котирувань постачальників, +Price per Unit (Stock UOM),Ціна за одиницю (запас UOM), +Group by Supplier,Групування за постачальником, +Group by Item,Групувати за елементами, +Remember to set {field_label}. It is required by {regulation}.,Не забудьте встановити {field_label}. Це вимагається {регламентом}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Дата зарахування не може бути до дати початку навчального року {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Дата зарахування не може бути після дати закінчення академічного терміну {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Дата зарахування не може бути до дати початку академічного терміну {0}, +Posting future transactions are not allowed due to Immutable Ledger,Опублікування майбутніх транзакцій заборонено через незмінній книзі, +Future Posting Not Allowed,Опублікування в майбутньому не дозволяється, +"To enable Capital Work in Progress Accounting, ","Щоб увімкнути облік незавершеного капіталу,", +you must select Capital Work in Progress Account in accounts table,у таблиці рахунків потрібно вибрати рахунок «Облік незавершеного капіталу», +You can also set default CWIP account in Company {},Ви також можете встановити обліковий запис CWIP за замовчуванням у компанії {}, +The Request for Quotation can be accessed by clicking on the following button,"Запит на пропозицію можна отримати, натиснувши наступну кнопку", +Regards,З повагою, +Please click on the following button to set your new password,"Натисніть наступну кнопку, щоб встановити новий пароль", +Update Password,Оновити пароль, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},"Рядок № {}: коефіцієнт продажу товару {} нижчий, ніж {}. Продаж {} повинен бути принаймні {}", +You can alternatively disable selling price validation in {} to bypass this validation.,"Ви можете також вимкнути перевірку ціни продажу в {}, щоб обійти це підтвердження.", +Invalid Selling Price,Недійсна ціна продажу, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,"Адреса повинна бути пов’язана з компанією. Будь ласка, додайте рядок для компанії в таблиці посилань.", +Company Not Linked,Компанія не пов’язана, +Import Chart of Accounts from CSV / Excel files,Імпортуйте план рахунків із файлів CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',Заповнена кількість не може бути більшою за "Кількість для виготовлення", +"Row {0}: For Supplier {1}, Email Address is Required to send an email",Рядок {0}: для постачальника {1} для надсилання електронного листа потрібна електронна адреса, diff --git a/erpnext/translations/ur.csv b/erpnext/translations/ur.csv index c5152b4708..52b5507af6 100644 --- a/erpnext/translations/ur.csv +++ b/erpnext/translations/ur.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,قسم ' Chargeble,چارج کرنے والا۔, Charges are updated in Purchase Receipt against each item,چارجز ہر شے کے خلاف خریداری کی رسید میں اپ ڈیٹ کیا جاتا ہے, "Charges will be distributed proportionately based on item qty or amount, as per your selection",چارجز تناسب اپنے انتخاب کے مطابق، شے کی مقدار یا رقم کی بنیاد پر تقسیم کیا جائے گا, -Chart Of Accounts,اکاؤنٹس کا چارٹ, Chart of Cost Centers,لاگت کے مراکز کا چارٹ, Check all,تمام چیک کریں, Checkout,اس کو دیکھو, @@ -581,7 +580,6 @@ Company {0} does not exist,کمپنی {0} موجود نہیں ہے, Compensatory Off,مائکر آف, Compensatory leave request days not in valid holidays,معاوضہ کی درخواست کی درخواست درست تعطیلات میں نہیں, Complaint,شکایت, -Completed Qty can not be greater than 'Qty to Manufacture',کے مقابلے میں 'مقدار تعمیر کرنے' مکمل مقدار زیادہ نہیں ہو سکتا, Completion Date,تکمیل کی تاریخ, Computer,کمپیوٹر, Condition,حالت, @@ -2033,7 +2031,6 @@ Please select Category first,پہلے زمرہ منتخب کریں, Please select Charge Type first,سب سے پہلے انچارج قسم منتخب کریں, Please select Company,کمپنی کا انتخاب کریں, Please select Company and Designation,براہ مہربانی کمپنی اور عہدہ کا انتخاب کریں, -Please select Company and Party Type first,پہلی کمپنی اور پارٹی کی قسم منتخب کریں, Please select Company and Posting Date to getting entries,برائے مہربانی اندراجات حاصل کرنے کے لئے کمپنی اور پوسٹنگ کی تاریخ کا انتخاب کریں, Please select Company first,پہلی کمپنی کا انتخاب کریں, Please select Completion Date for Completed Asset Maintenance Log,مکمل شدہ اثاثہ کی بحالی کی لاگت کے لئے براہ کرم تاریخ کا انتخاب کریں, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,انسٹی The name of your company for which you are setting up this system.,آپ کی کمپنی کے نام جس کے لئے آپ کو اس کے نظام کو قائم کر رہے ہیں., The number of shares and the share numbers are inconsistent,حصص کی تعداد اور حصص کی تعداد متضاد ہیں, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,ادائیگی میں گیٹ وے اکاؤنٹ {0} اس ادائیگی کی درخواست میں ادائیگی کے گیٹ وے اکاؤنٹ سے مختلف ہے, -The request for quotation can be accessed by clicking on the following link,کوٹیشن کے لئے درخواست مندرجہ ذیل لنک پر کلک کر کے حاصل کیا جا سکتا, The selected BOMs are not for the same item,منتخب شدہ BOMs ہی شے کے لئے نہیں ہیں, The selected item cannot have Batch,منتخب شے بیچ نہیں کر سکتے ہیں, The seller and the buyer cannot be the same,بیچنے والا اور خریدار ایک ہی نہیں ہو سکتا, @@ -3543,7 +3539,6 @@ Company GSTIN,کمپنی GSTIN, Company field is required,کمپنی کا فیلڈ درکار ہے۔, Creating Dimensions...,طول و عرض کی تشکیل…, Duplicate entry against the item code {0} and manufacturer {1},آئٹم کوڈ {0} اور کارخانہ دار {1 against کے خلاف نقل کا اندراج, -Import Chart Of Accounts from CSV / Excel files,CSV / ایکسل فائلوں سے اکاؤنٹس کا چارٹ درآمد کریں۔, Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,غلط جی ایس ٹی این! آپ نے جو ان پٹ داخل کیا ہے وہ UIN ہولڈرز یا غیر رہائشی OIDAR سروس فراہم کرنے والے کیلئے GSTIN فارمیٹ سے مماثل نہیں ہے۔, Invoice Grand Total,انوائس گرینڈ ٹوٹل, Last carbon check date cannot be a future date,آخری کاربن چیک کی تاریخ آئندہ تاریخ نہیں ہوسکتی ہے۔, @@ -3920,7 +3915,6 @@ Plaid authentication error,پلیڈ کی توثیق میں خرابی۔, Plaid public token error,عوامی طور پر ٹوکن غلطی لگائیں۔, Plaid transactions sync error,پلیڈ ٹرانزیکشن کی مطابقت پذیری کی خرابی۔, Please check the error log for details about the import errors,براہ کرم درآمدی غلطیوں کے بارے میں تفصیلات کے ل error غلطی لاگ کو چیک کریں۔, -Please click on the following link to set your new password,اپنا نیا پاس ورڈ مقرر کرنے کے لئے مندرجہ ذیل لنک پر کلک کریں براہ مہربانی, Please create DATEV Settings for Company {}.,براہ کرم کمپنی for for کے لئے DETV ترتیبات تشکیل دیں ۔, Please create adjustment Journal Entry for amount {0} ,براہ کرم رقم for 0 for کیلئے ایڈجسٹمنٹ جرنل انٹری بنائیں, Please do not create more than 500 items at a time,براہ کرم ایک وقت میں 500 سے زیادہ آئٹمز نہ بنائیں۔, @@ -4043,7 +4037,6 @@ Search results for,کے لئے تلاش کے نتائج, Select All,تمام منتخب کریں, Select Difference Account,فرق اکاؤنٹ منتخب کریں۔, Select a Default Priority.,پہلے سے طے شدہ ترجیح منتخب کریں۔, -Select a Supplier from the Default Supplier List of the items below.,ذیل میں آئٹمز کی ڈیفالٹ سپلائر لسٹ سے ایک سپلائر منتخب کریں۔, Select a company,کمپنی منتخب کریں۔, Select finance book for the item {0} at row {1},صف {1} پر آئٹم {0} کیلئے فنانس بک منتخب کریں, Select only one Priority as Default.,بطور ڈیفالٹ صرف ایک ترجیح منتخب کریں۔, @@ -4247,7 +4240,6 @@ Yes,جی ہاں, Actual ,اصل, Add to cart,ٹوکری میں شامل کریں, Budget,بجٹ, -Chart Of Accounts Importer,اکاؤنٹ کا درآمد کرنے والا چارٹ۔, Chart of Accounts,اکاؤنٹس کا چارٹ, Customer database.,کسٹمر ڈیٹا بیس., Days Since Last order,آخری آرڈر کے بعد دن, @@ -4939,7 +4931,6 @@ Closing Account Head,اکاؤنٹ ہیڈ بند, POS Customer Group,POS گاہک گروپ, POS Field,POS فیلڈ, POS Item Group,POS آئٹم گروپ, -[Select],[چونے], Company Address,کمپنی ایڈریس, Update Stock,اپ ڈیٹ اسٹاک, Ignore Pricing Rule,قیمتوں کا تعین اصول نظر انداز, @@ -6597,11 +6588,6 @@ Relieving Date,حاجت تاریخ, Reason for Leaving,جانے کی وجہ, Leave Encashed?,Encashed چھوڑ دیں؟, Encashment Date,معاوضہ تاریخ, -Exit Interview Details,باہر نکلیں انٹرویو کی تفصیلات, -Held On,مقبوضہ پر, -Reason for Resignation,استعفی کی وجہ, -Better Prospects,بہتر امکانات, -Health Concerns,صحت کے خدشات, New Workplace,نئے کام کی جگہ, HR-EAD-.YYYY.-,HR-EAD -YYYY.-, Returned Amount,رقم واپس کردی, @@ -8237,9 +8223,6 @@ Landed Cost Help,لینڈڈ لاگت مدد, Manufacturers used in Items,اشیاء میں استعمال کیا مینوفیکچررز, Limited to 12 characters,12 حروف تک محدود, MAT-MR-.YYYY.-,میٹ - ایم آر- .YYYY-, -Set Warehouse,گودام مقرر کریں, -Sets 'For Warehouse' in each row of the Items table.,آئٹمز ٹیبل کی ہر صف میں 'گودام کے لئے' سیٹ کریں۔, -Requested For,کے لئے درخواست, Partially Ordered,جزوی طور پر حکم دیا گیا, Transferred,منتقل, % Ordered,٪سامان آرڈرھوگیا, @@ -8688,8 +8671,6 @@ Material Request Warehouse,مٹیریل ریکوسٹ گودام, Select warehouse for material requests,مادی درخواستوں کے لئے گودام کا انتخاب کریں, Transfer Materials For Warehouse {0},گودام For 0 For کے لئے مواد کی منتقلی, Production Plan Material Request Warehouse,پروڈکشن پلان میٹریل ریکوسٹ گودام, -Set From Warehouse,گودام سے سیٹ کریں, -Source Warehouse (Material Transfer),ماخذ گودام (مواد کی منتقلی), Sets 'Source Warehouse' in each row of the items table.,آئٹمز ٹیبل کی ہر صف میں 'سورس گودام' سیٹ کریں۔, Sets 'Target Warehouse' in each row of the items table.,آئٹمز ٹیبل کی ہر صف میں 'ٹارگٹ گودام' سیٹ کریں۔, Show Cancelled Entries,منسوخ اندراجات دکھائیں, @@ -9155,7 +9136,6 @@ Professional Tax,پروفیشنل ٹیکس, Is Income Tax Component,انکم ٹیکس کا جز ہے, Component properties and references ,اجزاء کی خصوصیات اور حوالہ جات, Additional Salary ,اضافی تنخواہ, -Condtion and formula,حالت اور فارمولا, Unmarked days,نشان زد دن, Absent Days,غائب دن, Conditions and Formula variable and example,ضوابط اور فارمولہ متغیر اور مثال, @@ -9442,7 +9422,6 @@ Plaid invalid request error,غلط درخواست کی غلطی, Please check your Plaid client ID and secret values,براہ کرم اپنا پلیڈ کلائنٹ کا ID اور خفیہ اقدار دیکھیں, Bank transaction creation error,بینک ٹرانزیکشن تخلیق میں خرابی, Unit of Measurement,پیما ئش کا یونٹ, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},قطار # {}: آئٹم {for کے لئے فروخت کی شرح اس کے {than سے کم ہے۔ فروخت کی شرح کم سے کم be should ہونی چاہئے, Fiscal Year {0} Does Not Exist,مالی سال {0} موجود نہیں ہے, Row # {0}: Returned Item {1} does not exist in {2} {3},قطار # {0}: واپس شدہ آئٹم {1 {{2} {3 in میں موجود نہیں ہے, Valuation type charges can not be marked as Inclusive,قیمت کی قیمت کے معاوضے کو شامل کے طور پر نشان زد نہیں کیا جاسکتا, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,ترجیح ک Response Time for {0} priority in row {1} can't be greater than Resolution Time.,جواب 0 row میں ترجیح صف {1 in میں حل وقت سے زیادہ نہیں ہوسکتی ہے۔, {0} is not enabled in {1},{1} میں {0 enabled فعال نہیں ہے, Group by Material Request,مادی درخواست کے لحاظ سے گروپ, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",قطار {0}: فراہم کنندہ {0} کے لئے ، ای میل بھیجنے کے لئے ای میل ایڈریس کی ضرورت ہوتی ہے, Email Sent to Supplier {0},ایپلر کو to 0 Supplier فراہم کنندہ کو بھیجا گیا, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",پورٹل سے کوٹیشن کی درخواست تک رسائی غیر فعال ہے۔ رسائی کی اجازت دینے کیلئے ، اسے پورٹل کی ترتیبات میں فعال کریں۔, Supplier Quotation {0} Created,سپلائر کوٹیشن {0 ated تشکیل دیا گیا, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},تفویض کردہ مجم Account {0} exists in parent company {1}.,اکاؤنٹ {0 parent پیرنٹ کمپنی} 1 in میں موجود ہے۔, "To overrule this, enable '{0}' in company {1}",اس کو زیر کرنے کے لئے ، کمپنی in 1 in میں '{0}' کو اہل بنائیں۔, Invalid condition expression,غلط شرط اظہار, +Please Select a Company First,براہ کرم پہلے کمپنی منتخب کریں, +Please Select Both Company and Party Type First,براہ کرم پہلے کمپنی اور پارٹی کی قسم دونوں کو منتخب کریں, +Provide the invoice portion in percent,انوائس کا حصہ فیصد میں فراہم کریں, +Give number of days according to prior selection,پیشگی انتخاب کے مطابق دن کی تعداد دیں, +Email Details,ای میل کی تفصیلات, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.",وصول کنندہ کے لئے ایک مبارکباد کا انتخاب کریں۔ جیسے مسٹر ، محترمہ ، وغیرہ۔, +Preview Email,پیش نظارہ ای میل, +Please select a Supplier,براہ کرم ایک سپلائر منتخب کریں, +Supplier Lead Time (days),سپلائی لیڈ ٹائم (دن), +"Home, Work, etc.",گھر ، کام وغیرہ۔, +Exit Interview Held On,باہر نکلیں انٹرویو جاری, +Condition and formula,حالت اور فارمولا, +Sets 'Target Warehouse' in each row of the Items table.,آئٹمز ٹیبل کی ہر صف میں 'ٹارگٹ گودام' سیٹ کریں۔, +Sets 'Source Warehouse' in each row of the Items table.,آئٹمز ٹیبل کی ہر صف میں 'سورس گودام' سیٹ کریں۔, +POS Register,POS رجسٹر, +"Can not filter based on POS Profile, if grouped by POS Profile",اگر POS پروفائل کے ذریعہ گروپ بنایا ہوا ہے تو ، POS پروفائل کی بنیاد پر فلٹر نہیں کرسکتے ہیں, +"Can not filter based on Customer, if grouped by Customer",اگر گاہک کے حساب سے گروپ کیا گیا ہو تو ، کسٹمر کی بنیاد پر فلٹر نہیں کرسکتے ہیں, +"Can not filter based on Cashier, if grouped by Cashier",کیشئیر کے حساب سے گروپ بنائے جانے پر ، کیشئیر کی بنیاد پر فلٹر نہیں کرسکتے ہیں, +Payment Method,ادائیگی کا طریقہ, +"Can not filter based on Payment Method, if grouped by Payment Method",اگر ادائیگی کے طریقہ کار کے مطابق گروپ بندی کی جائے تو ادائیگی کے طریقہ کار پر مبنی فلٹر نہیں کرسکتے ہیں, +Supplier Quotation Comparison,سپلائر کوٹیشن موازنہ, +Price per Unit (Stock UOM),فی یونٹ قیمت (اسٹاک UOM), +Group by Supplier,گروپ بذریعہ سپلائر, +Group by Item,آئٹم کے لحاظ سے گروپ, +Remember to set {field_label}. It is required by {regulation}.,{فیلڈ_لیبل set سیٹ کرنا یاد رکھیں۔ اس کی ضرورت {ضابطہ} کے ذریعہ ہے۔, +Enrollment Date cannot be before the Start Date of the Academic Year {0},اندراج کی تاریخ تعلیمی سال the 0 of کی تاریخ سے پہلے نہیں ہوسکتی ہے, +Enrollment Date cannot be after the End Date of the Academic Term {0},اندراج کی تاریخ تعلیمی مدت of 0} کی آخری تاریخ کے بعد نہیں ہوسکتی ہے, +Enrollment Date cannot be before the Start Date of the Academic Term {0},اندراج کی تاریخ تعلیمی مدت the 0} کی شروعات کی تاریخ سے پہلے نہیں ہوسکتی ہے, +Posting future transactions are not allowed due to Immutable Ledger,ناقابل منتظم لیجر کی وجہ سے مستقبل میں لین دین کی اشاعت کی اجازت نہیں ہے, +Future Posting Not Allowed,مستقبل میں پوسٹنگ کی اجازت نہیں ہے, +"To enable Capital Work in Progress Accounting, ",ترقیاتی اکاؤنٹنگ میں کیپٹل ورک کو فعال کرنے کے ل، ،, +you must select Capital Work in Progress Account in accounts table,آپ اکاؤنٹس ٹیبل میں کیپٹل ورک ان پروگریس اکاؤنٹ کا انتخاب کریں, +You can also set default CWIP account in Company {},آپ کمپنی in in میں ڈیفالٹ CWIP اکاؤنٹ بھی مرتب کرسکتے ہیں۔, +The Request for Quotation can be accessed by clicking on the following button,درج ذیل بٹن پر کلک کرکے کوٹیشن کی درخواست تک رسائی حاصل کی جاسکتی ہے, +Regards,حوالے, +Please click on the following button to set your new password,براہ کرم اپنا نیا پاس ورڈ ترتیب دینے کے لئے درج ذیل بٹن پر کلک کریں, +Update Password,پاس ورڈ کو اپ ڈیٹ کریں, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},قطار # {}: آئٹم {for کے لئے فروخت کی شرح اس کے {than سے کم ہے۔ بیچنا Se le کم از کم ہونا چاہئے {}, +You can alternatively disable selling price validation in {} to bypass this validation.,آپ اس توثیق کو نظرانداز کرنے کے ل You متبادل قیمت کو valid in میں غیر فعال کرسکتے ہیں۔, +Invalid Selling Price,بیچنے کی غلط قیمت, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,ایڈریس کو کسی کمپنی سے منسلک کرنے کی ضرورت ہے۔ براہ کرم روابط ٹیبل میں کمپنی کے لئے ایک قطار شامل کریں۔, +Company Not Linked,کمپنی لنکڈ نہیں ہے, +Import Chart of Accounts from CSV / Excel files,CSV / ایکسل فائلوں سے اکاؤنٹس کا چارٹ درآمد کریں, +Completed Qty cannot be greater than 'Qty to Manufacture',تکمیل شدہ مقدار 'مقدار سے تیاری' سے زیادہ نہیں ہوسکتی ہے, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",قطار {0}: فراہم کنندہ {1} کے لئے ، ای میل بھیجنے کے لئے ای میل ایڈریس کی ضرورت ہوتی ہے, diff --git a/erpnext/translations/uz.csv b/erpnext/translations/uz.csv index 9fd2f1c0c8..fde1e7f9d8 100644 --- a/erpnext/translations/uz.csv +++ b/erpnext/translations/uz.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,{0} qatoridag Chargeble,Zaryad, Charges are updated in Purchase Receipt against each item,To'lovlar har bir elementga nisbatan Buyurtmachnomada yangilanadi, "Charges will be distributed proportionately based on item qty or amount, as per your selection",Narxlar Sizning tanlovingiz bo'yicha mahsulot miqdori yoki miqdori bo'yicha mutanosib ravishda taqsimlanadi, -Chart Of Accounts,Hisob jadvali, Chart of Cost Centers,Xarajat markazlari jadvali, Check all,Barchasini tekshiring, Checkout,Tekshirib ko'rmoq, @@ -581,7 +580,6 @@ Company {0} does not exist,Kompaniya {0} mavjud emas, Compensatory Off,Compensatory Off, Compensatory leave request days not in valid holidays,Kompensatsion ta'til talablari joriy bayramlarda emas, Complaint,Shikoyat, -Completed Qty can not be greater than 'Qty to Manufacture',Tugallangan Miqdor "Katta ishlab chiqarish" dan katta bo'lishi mumkin emas, Completion Date,Tugatish sanasi, Computer,Kompyuter, Condition,Vaziyat, @@ -2033,7 +2031,6 @@ Please select Category first,"Iltimos, oldin Turkum tanlang", Please select Charge Type first,"Marhamat qilib, oldin Zaryadlovchi turi-ni tanlang", Please select Company,"Iltimos, Kompaniya-ni tanlang", Please select Company and Designation,"Marhamat, Kompaniya va Belgilash-ni tanlang", -Please select Company and Party Type first,Marhamat qilib Kompaniya va Partiya turini tanlang, Please select Company and Posting Date to getting entries,Yozuvlar olish uchun Kompaniya va Xabar yuborish tarixini tanlang, Please select Company first,"Iltimos, kompaniyani tanlang", Please select Completion Date for Completed Asset Maintenance Log,Tugallangan aktivlarga xizmat ko'rsatish jurnalining tugallangan kunini tanlang, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Ushbu tizimn The name of your company for which you are setting up this system.,Ushbu tizimni o'rnatayotgan kompaniyangizning nomi., The number of shares and the share numbers are inconsistent,Aktsiyalar soni va aktsiyalarning soni nomuvofiqdir, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,{0} da to'lov gateway hisobi ushbu to'lov bo'yicha so'rovda to'lov shluzi hisobidan farq qiladi, -The request for quotation can be accessed by clicking on the following link,Qo'shtirnoq so'roviga quyidagi havolani bosish orqali kirish mumkin, The selected BOMs are not for the same item,Tanlangan BOMlar bir xil element uchun emas, The selected item cannot have Batch,Tanlangan elementda partiyalar mavjud emas, The seller and the buyer cannot be the same,Sotuvchi va xaridor bir xil bo'lishi mumkin emas, @@ -3543,7 +3539,6 @@ Company GSTIN,Kompaniya GSTIN, Company field is required,Kompaniya maydoni to'ldirilishi shart, Creating Dimensions...,O'lchovlar yaratilmoqda ..., Duplicate entry against the item code {0} and manufacturer {1},{0} va ishlab chiqaruvchi {1} kod kodiga kiritilgan yozuvni nusxalash, -Import Chart Of Accounts from CSV / Excel files,Hisoblar jadvalini CSV / Excel fayllaridan import qiling, Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Noto‘g‘ri GSTIN! Siz kiritgan kirish qiymati UIN egalari yoki norezident OIDAR provayderlari uchun GSTIN formatiga mos kelmadi, Invoice Grand Total,Hisob-fakturaning umumiy summasi, Last carbon check date cannot be a future date,Uglerodni oxirgi tekshirish sanasi kelajakdagi sana bo'lolmaydi, @@ -3920,7 +3915,6 @@ Plaid authentication error,Plaid autentifikatsiya xatosi, Plaid public token error,Umumiy ochiq token xatosi, Plaid transactions sync error,Plaid bitimlarini sinxronlashda xato, Please check the error log for details about the import errors,"Iltimos, import xatolariga oid tafsilotlar uchun xatolar jurnalini tekshiring", -Please click on the following link to set your new password,Yangi parolni o'rnatish uchun quyidagi havolani bosing, Please create DATEV Settings for Company {}.,Iltimos {} Kompaniya uchun DATEV sozlamalarini yarating., Please create adjustment Journal Entry for amount {0} ,"Iltimos, {0} miqdoriga jurnal yozuvini tuzating.", Please do not create more than 500 items at a time,"Iltimos, bir vaqtning o'zida 500 tadan ortiq mahsulot yaratmang", @@ -4043,7 +4037,6 @@ Search results for,Uchun qidiruv natijalari, Select All,Hammasini belgilash, Select Difference Account,Farq hisob qaydnomasini tanlang, Select a Default Priority.,Birlamchi ustuvorlikni tanlang., -Select a Supplier from the Default Supplier List of the items below.,Quyidagi elementlarning odatiy etkazib beruvchilar ro'yxatidan bir etkazib beruvchini tanlang., Select a company,Kompaniyani tanlang, Select finance book for the item {0} at row {1},{1} qatordan {0} uchun moliya kitobini tanlang, Select only one Priority as Default.,Odatiy sifatida faqat bitta ustuvorlikni tanlang., @@ -4247,7 +4240,6 @@ Yes,Ha, Actual ,Haqiqiy, Add to cart,Savatchaga qo'shish, Budget,Byudjet, -Chart Of Accounts Importer,Hisob-kitoblarni import qiluvchi sxemasi, Chart of Accounts,Hisob jadvalining, Customer database.,Mijozlar bazasi., Days Since Last order,Oxirgi Buyurtma berib o'tgan kunlar, @@ -4939,7 +4931,6 @@ Closing Account Head,Hisob boshini yopish, POS Customer Group,Qalin xaridorlar guruhi, POS Field,POS maydoni, POS Item Group,Qalin modda guruhi, -[Select],[Tanlash], Company Address,Kompaniya manzili, Update Stock,Stokni yangilang, Ignore Pricing Rule,Raqobatchilar qoidasiga e'tibor bermang, @@ -6597,11 +6588,6 @@ Relieving Date,Ajratish sanasi, Reason for Leaving,Ketish sababi, Leave Encashed?,Encashed qoldiringmi?, Encashment Date,Inkassatsiya sanasi, -Exit Interview Details,Suhbatlashuv ma'lumotidan chiqish, -Held On,O'chirilgan, -Reason for Resignation,Istefoning sababi, -Better Prospects,Yaxshi istiqbolga ega, -Health Concerns,Sog'liq muammolari, New Workplace,Yangi ish joyi, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Qaytarilgan miqdor, @@ -8237,9 +8223,6 @@ Landed Cost Help,Yo'lga tushgan xarajatli yordam, Manufacturers used in Items,Ishlab chiqaruvchilar mahsulotda ishlatiladi, Limited to 12 characters,12 ta belgi bilan cheklangan, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Omborni o'rnating, -Sets 'For Warehouse' in each row of the Items table.,Ob'ektlar jadvalining har bir qatorida "Ombor uchun" to'plami., -Requested For,Talab qilingan, Partially Ordered,Qisman buyurtma qilingan, Transferred,O'tkazildi, % Ordered,% Buyurtma qilingan, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Materiallar so'rovi ombori, Select warehouse for material requests,Moddiy talablar uchun omborni tanlang, Transfer Materials For Warehouse {0},Ombor uchun materiallar uzatish {0}, Production Plan Material Request Warehouse,Ishlab chiqarish rejasi Materiallarni talab qilish ombori, -Set From Warehouse,Ombordan o'rnatish, -Source Warehouse (Material Transfer),Manba ombori (material uzatish), Sets 'Source Warehouse' in each row of the items table.,Mahsulotlar jadvalining har bir qatorida "Manba ombori" ni o'rnatadi., Sets 'Target Warehouse' in each row of the items table.,Mahsulotlar jadvalining har bir qatorida "Maqsadli ombor" ni o'rnatadi., Show Cancelled Entries,Bekor qilingan yozuvlarni ko'rsatish, @@ -9155,7 +9136,6 @@ Professional Tax,Professional soliq, Is Income Tax Component,Daromad solig'ining tarkibiy qismidir, Component properties and references ,Komponent xususiyatlari va foydalanilgan adabiyotlar, Additional Salary ,Qo'shimcha ish haqi, -Condtion and formula,Shart va formula, Unmarked days,Belgilanmagan kunlar, Absent Days,Yo'q kunlar, Conditions and Formula variable and example,Shartlar va formulalar o'zgaruvchisi va misol, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Noto'g'ri so'rov xatosi, Please check your Plaid client ID and secret values,Plaid mijoz identifikatori va maxfiy qiymatlarini tekshiring, Bank transaction creation error,Bank operatsiyalarini tuzishda xato, Unit of Measurement,O'lchov birligi, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},№ {} qator: {} bandining sotish narxi uning {} dan past. Sotish narxi eng kam bo'lishi kerak {}, Fiscal Year {0} Does Not Exist,Moliya yili {0} mavjud emas, Row # {0}: Returned Item {1} does not exist in {2} {3},№ {0} qator: Qaytgan narsa ({1}) {2} {3} da mavjud emas, Valuation type charges can not be marked as Inclusive,Baholash turi uchun to'lovlarni inklyuziv deb belgilash mumkin emas, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Javob berish Response Time for {0} priority in row {1} can't be greater than Resolution Time.,{1} qatoridagi {1} ustuvorligi uchun javob vaqti aniqlik vaqtidan oshmasligi kerak., {0} is not enabled in {1},{0} {1} da yoqilmagan, Group by Material Request,Materiallar talabi bo'yicha guruhlash, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",{0} qatori: Ta'minlovchiga {0} elektron pochta xabarini yuborish uchun elektron pochta manzili talab qilinadi, Email Sent to Supplier {0},Yetkazib beruvchiga elektron pochta xabarlari yuborildi {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",Portaldan kotirovka so'roviga kirish o'chirilgan. Kirish uchun ruxsat berish uchun uni Portal sozlamalarida yoqing., Supplier Quotation {0} Created,Ta'minlovchining taklifi {0} tuzildi, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Belgilangan umumiy vazn 10 Account {0} exists in parent company {1}.,Hisob {0} bosh kompaniyada mavjud {1}., "To overrule this, enable '{0}' in company {1}",Buni bekor qilish uchun {1} kompaniyasida "{0}" ni yoqing., Invalid condition expression,Noto'g'ri shartli ifoda, +Please Select a Company First,"Iltimos, avval kompaniyani tanlang", +Please Select Both Company and Party Type First,"Iltimos, avval kompaniya va partiyaning turini tanlang", +Provide the invoice portion in percent,Hisob-fakturani foizda taqdim eting, +Give number of days according to prior selection,Oldingi tanlovga ko'ra kunlar sonini bering, +Email Details,Elektron pochta tafsilotlari, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Qabul qiluvchilar uchun tabrikni tanlang. Masalan, janob, xonim va boshqalar.", +Preview Email,Elektron pochtani oldindan ko'rish, +Please select a Supplier,"Iltimos, etkazib beruvchini tanlang", +Supplier Lead Time (days),Yetkazib beruvchining etkazib berish muddati (kunlar), +"Home, Work, etc.","Uy, ish va boshqalar.", +Exit Interview Held On,Intervyu tugadi, +Condition and formula,Vaziyat va formulalar, +Sets 'Target Warehouse' in each row of the Items table.,Ob'ektlar jadvalining har bir qatorida "Maqsadli ombor" ni o'rnatadi., +Sets 'Source Warehouse' in each row of the Items table.,Ob'ektlar jadvalining har bir qatorida "Manba ombori" ni o'rnatadi., +POS Register,POS Ro'yxatdan o'tish, +"Can not filter based on POS Profile, if grouped by POS Profile","POS-profil asosida guruhlangan bo'lsa, POS-profil asosida filtrlab bo'lmaydi", +"Can not filter based on Customer, if grouped by Customer","Mijoz tomonidan guruhlangan bo'lsa, mijoz asosida filtrlab bo'lmaydi", +"Can not filter based on Cashier, if grouped by Cashier","Kassir tomonidan guruhlangan bo'lsa, Kassir asosida filtrlab bo'lmaydi", +Payment Method,To'lov uslubi, +"Can not filter based on Payment Method, if grouped by Payment Method","To'lov usuli bo'yicha guruhlangan bo'lsa, to'lov usuli asosida filtrlash mumkin emas", +Supplier Quotation Comparison,Yetkazib beruvchilarning narxlarini taqqoslash, +Price per Unit (Stock UOM),Birlik uchun narx (aktsiya UOM), +Group by Supplier,Yetkazib beruvchi bo'yicha guruh, +Group by Item,Moddalar bo'yicha guruhlash, +Remember to set {field_label}. It is required by {regulation}.,{Field_label} ni o'rnatishni unutmang. Buni {reglament} talab qiladi., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Qabul qilish sanasi o'quv yilining boshlanish sanasidan oldin bo'lishi mumkin emas {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Qabul qilish sanasi akademik davr tugash sanasidan keyin bo'lishi mumkin emas {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Qabul qilish sanasi akademik davr boshlanish sanasidan oldin bo'lishi mumkin emas {0}, +Posting future transactions are not allowed due to Immutable Ledger,Immutable Ledger tufayli kelajakdagi operatsiyalarni joylashtirishga ruxsat berilmaydi, +Future Posting Not Allowed,Kelajakdagi xabarlarga ruxsat berilmaydi, +"To enable Capital Work in Progress Accounting, ","Amalga oshirilayotgan kapitalni hisobga olishni yoqish uchun,", +you must select Capital Work in Progress Account in accounts table,Hisob-kitoblar jadvalida "Davom etayotgan ishlab chiqarish hisobi" ni tanlashingiz kerak, +You can also set default CWIP account in Company {},"Shuningdek, siz C} kompaniyasida standart CWIP hisob qaydnomasini o'rnatishingiz mumkin.", +The Request for Quotation can be accessed by clicking on the following button,Kotirovka uchun so'rovga quyidagi tugmani bosish orqali kirish mumkin, +Regards,Hurmat bilan, +Please click on the following button to set your new password,Yangi parolni o'rnatish uchun quyidagi tugmani bosing, +Update Password,Parolni yangilang, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},№ {} qator: {} bandining sotish narxi uning {} dan past. Sotish {} kamida bo'lishi kerak {}, +You can alternatively disable selling price validation in {} to bypass this validation.,"Shu bilan bir qatorda, ushbu tekshiruvni chetlab o'tish uchun {} da sotish narxini tekshirishni o'chirib qo'yishingiz mumkin.", +Invalid Selling Price,Noto'g'ri sotish narxi, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,"Manzilni kompaniya bilan bog'lash kerak. Iltimos, havolalar jadvaliga Kompaniya uchun qator qo'shing.", +Company Not Linked,Kompaniya aloqador emas, +Import Chart of Accounts from CSV / Excel files,Hisoblar jadvalini CSV / Excel fayllaridan import qilish, +Completed Qty cannot be greater than 'Qty to Manufacture',Tugallangan miqdor "ishlab chiqarish uchun miqdor" dan katta bo'lishi mumkin emas, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",{0} qatori: Ta'minlovchiga {1} elektron pochta xabarini yuborish uchun elektron pochta manzili talab qilinadi, diff --git a/erpnext/translations/vi.csv b/erpnext/translations/vi.csv index 905bf95a7e..9444204a19 100644 --- a/erpnext/translations/vi.csv +++ b/erpnext/translations/vi.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Phí của lo Chargeble,Bộ sạc, Charges are updated in Purchase Receipt against each item,Cước phí được cập nhật trên Phiếu nhận hàng gắn với từng vật tư, "Charges will be distributed proportionately based on item qty or amount, as per your selection","Phí sẽ được phân phối không cân xứng dựa trên mục qty hoặc số tiền, theo lựa chọn của bạn", -Chart Of Accounts,Danh mục tài khoản, Chart of Cost Centers,Biểu đồ Bộ phận chi phí, Check all,Kiểm tra tất cả, Checkout,Kiểm tra, @@ -581,7 +580,6 @@ Company {0} does not exist,Công ty {0} không tồn tại, Compensatory Off,Nghỉ làm bù, Compensatory leave request days not in valid holidays,Ngày yêu cầu nghỉ phép không có ngày nghỉ hợp lệ, Complaint,Lời phàn nàn, -Completed Qty can not be greater than 'Qty to Manufacture',Đã hoàn thành Số lượng không có thể lớn hơn 'SL đặt Sản xuất', Completion Date,Ngày kết thúc, Computer,Máy tính, Condition,Điều kiện, @@ -2033,7 +2031,6 @@ Please select Category first,Vui lòng chọn mục đầu tiên, Please select Charge Type first,Vui lòng chọn Loại Charge đầu tiên, Please select Company,Vui lòng chọn Công ty, Please select Company and Designation,Vui lòng chọn Công ty và Chỉ định, -Please select Company and Party Type first,Vui lòng chọn Công ty và Đảng Loại đầu tiên, Please select Company and Posting Date to getting entries,Vui lòng chọn Công ty và Ngày đăng để nhận các mục nhập, Please select Company first,Vui lòng chọn Công ty đầu tiên, Please select Completion Date for Completed Asset Maintenance Log,Vui lòng chọn Thời điểm hoàn thành cho nhật ký bảo dưỡng tài sản đã hoàn thành, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Tên của t The name of your company for which you are setting up this system.,Tên của công ty bạn đang thiết lập hệ thống này., The number of shares and the share numbers are inconsistent,Số cổ phần và số cổ phần không nhất quán, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Tài khoản cổng thanh toán trong gói {0} khác với tài khoản cổng thanh toán trong yêu cầu thanh toán này, -The request for quotation can be accessed by clicking on the following link,Các yêu cầu báo giá có thể được truy cập bằng cách nhấp vào liên kết sau, The selected BOMs are not for the same item,Các BOMs chọn không cho cùng một mục, The selected item cannot have Batch,Các sản phẩm được chọn không thể có hàng loạt, The seller and the buyer cannot be the same,Người bán và người mua không thể giống nhau, @@ -3543,7 +3539,6 @@ Company GSTIN,GSTIN công ty, Company field is required,Lĩnh vực công ty là bắt buộc, Creating Dimensions...,Tạo kích thước ..., 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}, -Import Chart Of Accounts from CSV / Excel files,Biểu đồ nhập tài khoản từ tệp CSV / Excel, 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ú, Invoice Grand Total,Hóa đơn tổng cộng, 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, @@ -3920,7 +3915,6 @@ Plaid authentication error,Lỗi xác thực kẻ sọc, Plaid public token error,Lỗi mã thông báo công khai kẻ sọc, Plaid transactions sync error,Lỗi đồng bộ hóa giao dịch kẻ sọc, Please check the error log for details about the import errors,Vui lòng kiểm tra nhật ký lỗi để biết chi tiết về các lỗi nhập, -Please click on the following link to set your new password,Vui lòng click vào các link sau đây để thiết lập mật khẩu mới, Please create DATEV Settings for Company {}.,Vui lòng tạo Cài đặt DATEV cho Công ty {} ., Please create adjustment Journal Entry for amount {0} ,Vui lòng tạo Nhật ký điều chỉnh cho số tiền {0}, Please do not create more than 500 items at a time,Vui lòng không tạo hơn 500 mục cùng một lúc, @@ -4043,7 +4037,6 @@ Search results for,tìm kiếm kết quả cho, Select All,Chọn tất cả, Select Difference Account,Chọn tài khoản khác biệt, Select a Default Priority.,Chọn một ưu tiên mặc định., -Select a Supplier from the Default Supplier List of the items below.,Chọn một Nhà cung cấp từ Danh sách nhà cung cấp mặc định của các mục bên dưới., Select a company,Chọn một công ty, Select finance book for the item {0} at row {1},Chọn sổ tài chính cho mục {0} ở hàng {1}, Select only one Priority as Default.,Chỉ chọn một Ưu tiên làm Mặc định., @@ -4247,7 +4240,6 @@ Yes,Đồng ý, Actual ,Dựa trên tiền thực tế, Add to cart,Thêm vào giỏ hàng, Budget,Ngân sách, -Chart Of Accounts Importer,Biểu đồ tài khoản nhập khẩu, Chart of Accounts,Biểu đồ tài khoản, Customer database.,Cơ sở dữ liệu khách hàng., Days Since Last order,ngày tính từ lần yêu cầu cuối cùng, @@ -4939,7 +4931,6 @@ Closing Account Head,Đóng Trưởng Tài khoản, POS Customer Group,Nhóm Khách hàng POS, POS Field,Lĩnh vực POS, POS Item Group,Nhóm POS, -[Select],[Chọn], Company Address,Địa chỉ công ty, Update Stock,Cập nhật hàng tồn kho, Ignore Pricing Rule,Bỏ qua điều khoản giá, @@ -6597,11 +6588,6 @@ Relieving Date,Giảm ngày, Reason for Leaving,Lý do Rời đi, Leave Encashed?,Chi phiếu đã nhận ?, Encashment Date,Encashment Date, -Exit Interview Details,Chi tiết thoát Phỏng vấn, -Held On,Được tổ chức vào ngày, -Reason for Resignation,Lý do từ chức, -Better Prospects,Triển vọng tốt hơn, -Health Concerns,Mối quan tâm về sức khỏe, New Workplace,Nơi làm việc mới, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,Số tiền trả lại, @@ -8237,9 +8223,6 @@ Landed Cost Help,Chi phí giúp hạ cánh, Manufacturers used in Items,Các nhà sản xuất sử dụng trong mục, Limited to 12 characters,Hạn chế đến 12 ký tự, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,Đặt kho, -Sets 'For Warehouse' in each row of the Items table.,Đặt 'Cho Kho hàng' trong mỗi hàng của bảng Mặt hàng., -Requested For,Đối với yêu cầu, Partially Ordered,Đã đặt hàng một phần, Transferred,Đã được vận chuyển, % Ordered,% đã đặt, @@ -8688,8 +8671,6 @@ Material Request Warehouse,Kho yêu cầu nguyên liệu, Select warehouse for material requests,Chọn kho cho các yêu cầu nguyên liệu, Transfer Materials For Warehouse {0},Chuyển Vật liệu Cho Kho {0}, Production Plan Material Request Warehouse,Kế hoạch sản xuất Yêu cầu vật tư Kho, -Set From Warehouse,Đặt từ kho, -Source Warehouse (Material Transfer),Kho Nguồn (Chuyển Vật tư), Sets 'Source Warehouse' in each row of the items table.,Đặt 'Kho nguồn' trong mỗi hàng của bảng mục., Sets 'Target Warehouse' in each row of the items table.,Đặt 'Kho mục tiêu' trong mỗi hàng của bảng mặt hàng., Show Cancelled Entries,Hiển thị các mục đã hủy, @@ -9155,7 +9136,6 @@ Professional Tax,Thuế nghề nghiệp, Is Income Tax Component,Là thành phần thuế thu nhập, Component properties and references ,Thuộc tính thành phần và tham chiếu, Additional Salary ,Lương bổ sung, -Condtion and formula,Điều kiện và công thức, Unmarked days,Ngày không được đánh dấu, Absent Days,Ngày vắng mặt, Conditions and Formula variable and example,Điều kiện và biến công thức và ví dụ, @@ -9442,7 +9422,6 @@ Plaid invalid request error,Lỗi yêu cầu không hợp lệ kẻ sọc, Please check your Plaid client ID and secret values,Vui lòng kiểm tra ID khách hàng Plaid và các giá trị bí mật của bạn, Bank transaction creation error,Lỗi tạo giao dịch ngân hàng, Unit of Measurement,Đơn vị đo lường, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Hàng # {}: Tỷ lệ bán được của mặt hàng {} thấp hơn mặt hàng {}. Tỷ lệ bán phải ở mức thấp nhất {}, Fiscal Year {0} Does Not Exist,Năm tài chính {0} không tồn tại, Row # {0}: Returned Item {1} does not exist in {2} {3},Hàng # {0}: Mặt hàng đã trả lại {1} không tồn tại trong {2} {3}, Valuation type charges can not be marked as Inclusive,Các loại phí định giá không thể được đánh dấu là Bao gồm, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Đặt Thời Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Thời gian phản hồi cho {0} mức độ ưu tiên trong hàng {1} không được lớn hơn Thời gian phân giải., {0} is not enabled in {1},{0} không được bật trong {1}, Group by Material Request,Nhóm theo Yêu cầu Vật liệu, -"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", Email Sent to Supplier {0},Email đã được gửi đến nhà cung cấp {0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Quyền truy cập để yêu cầu báo giá từ cổng đã bị vô hiệu hóa. Để cho phép truy cập, hãy bật nó trong Cài đặt cổng.", Supplier Quotation {0} Created,Báo giá Nhà cung cấp {0} Đã tạo, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},Tổng trọng lượng đ Account {0} exists in parent company {1}.,Tài khoản {0} tồn tại trong công ty mẹ {1}., "To overrule this, enable '{0}' in company {1}","Để khắc phục điều này, hãy bật '{0}' trong công ty {1}", Invalid condition expression,Biểu thức điều kiện không hợp lệ, +Please Select a Company First,Vui lòng chọn một công ty trước tiên, +Please Select Both Company and Party Type First,Vui lòng chọn cả Công ty và Loại hình trước, +Provide the invoice portion in percent,Cung cấp phần hóa đơn theo phần trăm, +Give number of days according to prior selection,Đưa ra số ngày theo lựa chọn trước, +Email Details,Chi tiết Email, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Chọn lời chào cho người nhận. Ví dụ: Ông, Bà, v.v.", +Preview Email,Xem trước Email, +Please select a Supplier,Vui lòng chọn một nhà cung cấp, +Supplier Lead Time (days),Thời gian dẫn đầu của nhà cung cấp (ngày), +"Home, Work, etc.","Nhà riêng, Cơ quan, v.v.", +Exit Interview Held On,Thoát Phỏng vấn Được tổ chức Vào, +Condition and formula,Điều kiện và công thức, +Sets 'Target Warehouse' in each row of the Items table.,Đặt 'Kho mục tiêu' trong mỗi hàng của bảng Mặt hàng., +Sets 'Source Warehouse' in each row of the Items table.,Đặt 'Kho nguồn' trong mỗi hàng của bảng Mặt hàng., +POS Register,Đăng ký POS, +"Can not filter based on POS Profile, if grouped by POS Profile","Không thể lọc dựa trên Hồ sơ POS, nếu được nhóm theo Hồ sơ POS", +"Can not filter based on Customer, if grouped by Customer","Không thể lọc dựa trên Khách hàng, nếu được nhóm theo Khách hàng", +"Can not filter based on Cashier, if grouped by Cashier","Không thể lọc dựa trên Thu ngân, nếu được nhóm theo Thu ngân", +Payment Method,Phương thức thanh toán, +"Can not filter based on Payment Method, if grouped by Payment Method","Không thể lọc dựa trên Phương thức thanh toán, nếu được nhóm theo Phương thức thanh toán", +Supplier Quotation Comparison,So sánh báo giá của nhà cung cấp, +Price per Unit (Stock UOM),Giá mỗi đơn vị (Stock UOM), +Group by Supplier,Nhóm theo nhà cung cấp, +Group by Item,Nhóm theo mặt hàng, +Remember to set {field_label}. It is required by {regulation}.,Nhớ đặt {field_label}. Nó được yêu cầu bởi {quy định}., +Enrollment Date cannot be before the Start Date of the Academic Year {0},Ngày ghi danh không được trước Ngày bắt đầu của Năm học {0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},Ngày ghi danh không được sau Ngày kết thúc Học kỳ {0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},Ngày ghi danh không được trước Ngày bắt đầu của Học kỳ {0}, +Posting future transactions are not allowed due to Immutable Ledger,Không cho phép đăng các giao dịch trong tương lai do Sổ cái bất biến, +Future Posting Not Allowed,Đăng trong tương lai không được phép, +"To enable Capital Work in Progress Accounting, ","Để kích hoạt Công việc Vốn trong Kế toán Tiến độ,", +you must select Capital Work in Progress Account in accounts table,bạn phải chọn Tài khoản Capital Work in Progress trong bảng tài khoản, +You can also set default CWIP account in Company {},Bạn cũng có thể đặt tài khoản CWIP mặc định trong Công ty {}, +The Request for Quotation can be accessed by clicking on the following button,Yêu cầu Báo giá có thể được truy cập bằng cách nhấp vào nút sau, +Regards,Trân trọng, +Please click on the following button to set your new password,Vui lòng nhấp vào nút sau để đặt mật khẩu mới của bạn, +Update Password,Cập nhật mật khẩu, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Hàng # {}: Tỷ lệ bán được của mặt hàng {} thấp hơn mặt hàng {}. Bán {} ít nên {}, +You can alternatively disable selling price validation in {} to bypass this validation.,"Ngoài ra, bạn có thể tắt xác thực giá bán trong {} để bỏ qua xác thực này.", +Invalid Selling Price,Giá bán không hợp lệ, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,Địa chỉ cần được liên kết với một Công ty. Vui lòng thêm một hàng cho Công ty trong bảng Liên kết., +Company Not Linked,Công ty không được liên kết, +Import Chart of Accounts from CSV / Excel files,Nhập biểu đồ tài khoản từ tệp CSV / Excel, +Completed Qty cannot be greater than 'Qty to Manufacture',Số lượng đã hoàn thành không được lớn hơn 'Số lượng để sản xuất', +"Row {0}: For Supplier {1}, Email Address is Required to send an email","Hàng {0}: Đối với Nhà cung cấp {1}, Địa chỉ Email là Bắt buộc để gửi email", diff --git a/erpnext/translations/zh.csv b/erpnext/translations/zh.csv index 6bc1d3409a..3bd4e8a483 100644 --- a/erpnext/translations/zh.csv +++ b/erpnext/translations/zh.csv @@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,行{0}中的 Chargeble,Chargeble, Charges are updated in Purchase Receipt against each item,费用会在每个物料的采购收货单中更新, "Charges will be distributed proportionately based on item qty or amount, as per your selection",费用会根据你选择的物料数量和金额按比例分配。, -Chart Of Accounts,科目表, Chart of Cost Centers,成本中心表, Check all,全选, Checkout,退出, @@ -581,7 +580,6 @@ Company {0} does not exist,公司{0}不存在, Compensatory Off,补假, Compensatory leave request days not in valid holidays,补休假申请日不是在有效假期内, Complaint,抱怨, -Completed Qty can not be greater than 'Qty to Manufacture',完成数量不能大于“生产数量”, Completion Date,完成日期, Computer,电脑, Condition,条件, @@ -2033,7 +2031,6 @@ Please select Category first,请先选择类别。, Please select Charge Type first,请先选择费用类型, Please select Company,请选择公司, Please select Company and Designation,请选择公司和任命, -Please select Company and Party Type first,请先选择公司和往来单位类型, Please select Company and Posting Date to getting entries,请选择公司和发布日期以获取条目, Please select Company first,请首先选择公司, Please select Completion Date for Completed Asset Maintenance Log,请选择已完成资产维护日志的完成日期, @@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,对于要为 The name of your company for which you are setting up this system.,贵公司的名称, The number of shares and the share numbers are inconsistent,股份数量和股票数量不一致, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,计划{0}中的支付网关帐户与此付款请求中的支付网关帐户不同, -The request for quotation can be accessed by clicking on the following link,报价请求可以通过点击以下链接进行访问, The selected BOMs are not for the same item,所选物料清单不能用于同一个物料, The selected item cannot have Batch,所选物料不能有批次, The seller and the buyer cannot be the same,卖方和买方不能相同, @@ -3543,7 +3539,6 @@ Company GSTIN,公司GSTIN, Company field is required,公司字段是必填项, Creating Dimensions...,创建尺寸......, Duplicate entry against the item code {0} and manufacturer {1},项目代码{0}和制造商{1}的重复输入, -Import Chart Of Accounts from CSV / Excel files,从CSV / Excel文件导入科目表, 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格式不符, Invoice Grand Total,发票总计, Last carbon check date cannot be a future date,最后的碳检查日期不能是未来的日期, @@ -3920,7 +3915,6 @@ Plaid authentication error,格子认证错误, Plaid public token error,格子公共令牌错误, Plaid transactions sync error,格子交易同步错误, Please check the error log for details about the import errors,有关导入错误的详细信息,请查看错误日志, -Please click on the following link to set your new password,请点击以下链接来设置新密码, Please create DATEV Settings for Company {}.,请为公司{}创建DATEV设置 。, Please create adjustment Journal Entry for amount {0} ,请为金额{0}创建调整日记帐分录, Please do not create more than 500 items at a time,请不要一次创建超过500个项目, @@ -4043,7 +4037,6 @@ Search results for,为。。。。寻找结果, Select All,全选, Select Difference Account,选择差异账户, Select a Default Priority.,选择默认优先级。, -Select a Supplier from the Default Supplier List of the items below.,从以下各项的默认供应商列表中选择供应商。, Select a company,选择一家公司, Select finance book for the item {0} at row {1},为行{1}中的项{0}选择财务手册, Select only one Priority as Default.,仅选择一个优先级作为默认值。, @@ -4247,7 +4240,6 @@ Yes,是, Actual ,实际数据, Add to cart,加入购物车, Budget,预算, -Chart Of Accounts Importer,会计科目表进口商, Chart of Accounts,会计科目表, Customer database.,客户数据库。, Days Since Last order,自上次订购天数, @@ -4939,7 +4931,6 @@ Closing Account Head,结算科目, POS Customer Group,销售终端客户群, POS Field,POS场, POS Item Group,销售终端物料组, -[Select],[选择], Company Address,公司地址, Update Stock,更新库存, Ignore Pricing Rule,忽略定价规则, @@ -6597,11 +6588,6 @@ Relieving Date,离职日期, Reason for Leaving,离职原因, Leave Encashed?,假期已折现?, Encashment Date,折现日期, -Exit Interview Details,离职访谈信息, -Held On,日期, -Reason for Resignation,离职原因, -Better Prospects,更好的前景, -Health Concerns,健康问题, New Workplace,新工作地点, HR-EAD-.YYYY.-,HR-EAD-.YYYY.-, Returned Amount,退货金额, @@ -8237,9 +8223,6 @@ Landed Cost Help,到岸成本帮助, Manufacturers used in Items,在项目中使用制造商, Limited to 12 characters,限12个字符, MAT-MR-.YYYY.-,MAT-MR-.YYYY.-, -Set Warehouse,设置仓库, -Sets 'For Warehouse' in each row of the Items table.,在“物料”表的每一行中设置“用于仓库”。, -Requested For,需求目的, Partially Ordered,部分订购, Transferred,已转移, % Ordered,% 已排序, @@ -8688,8 +8671,6 @@ Material Request Warehouse,物料请求仓库, Select warehouse for material requests,选择物料需求仓库, Transfer Materials For Warehouse {0},仓库{0}的转移物料, Production Plan Material Request Warehouse,生产计划物料申请仓库, -Set From Warehouse,从仓库设置, -Source Warehouse (Material Transfer),源仓库(物料转移), Sets 'Source Warehouse' in each row of the items table.,在项目表的每一行中设置“源仓库”。, Sets 'Target Warehouse' in each row of the items table.,在项目表的每一行中设置“目标仓库”。, Show Cancelled Entries,显示已取消的条目, @@ -9155,7 +9136,6 @@ Professional Tax,专业税收, Is Income Tax Component,是所得税组成部分, Component properties and references ,组件属性和参考, Additional Salary ,额外工资, -Condtion and formula,条件和公式, Unmarked days,无标记的日子, Absent Days,缺席天数, Conditions and Formula variable and example,条件和公式变量以及示例, @@ -9442,7 +9422,6 @@ Plaid invalid request error,格子无效的请求错误, Please check your Plaid client ID and secret values,请检查您的格子客户ID和机密值, Bank transaction creation error,银行交易创建错误, Unit of Measurement,测量单位, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},第#{}行:商品{}的销售价格低于其{}。销售率应至少为{}, Fiscal Year {0} Does Not Exist,会计年度{0}不存在, Row # {0}: Returned Item {1} does not exist in {2} {3},行号{0}:返回的项目{1}在{2} {3}中不存在, Valuation type charges can not be marked as Inclusive,评估类型的费用不能标记为包含, @@ -9596,7 +9575,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,在行{1}中 Response Time for {0} priority in row {1} can't be greater than Resolution Time.,第{1}行中{0}优先级的响应时间不能大于“解决时间”。, {0} is not enabled in {1},{1}中未启用{0}, Group by Material Request,按材料要求分组, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",第{0}行:对于供应商{0},需要使用电子邮件地址发送电子邮件, Email Sent to Supplier {0},通过电子邮件发送给供应商{0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",禁止从门户网站访问报价请求。要允许访问,请在门户设置中启用它。, Supplier Quotation {0} Created,供应商报价{0}已创建, @@ -9609,3 +9587,48 @@ Total weightage assigned should be 100%.
It is {0},分配的总重量应为10 Account {0} exists in parent company {1}.,帐户{0}在母公司{1}中。, "To overrule this, enable '{0}' in company {1}",要否决此问题,请在公司{1}中启用“ {0}”, Invalid condition expression,条件表达式无效, +Please Select a Company First,请先选择公司, +Please Select Both Company and Party Type First,请首先选择公司和派对类型, +Provide the invoice portion in percent,提供发票百分比, +Give number of days according to prior selection,根据事先选择给出天数, +Email Details,电子邮件详细资料, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.",选择收件人的问候语。例如先生,女士等, +Preview Email,预览电子邮件, +Please select a Supplier,请选择供应商, +Supplier Lead Time (days),供应商交货时间(天), +"Home, Work, etc.",家庭,工作等, +Exit Interview Held On,退出面试举行, +Condition and formula,条件和公式, +Sets 'Target Warehouse' in each row of the Items table.,在“物料”表的每一行中设置“目标仓库”。, +Sets 'Source Warehouse' in each row of the Items table.,在“物料”表的每一行中设置“源仓库”。, +POS Register,POS收银机, +"Can not filter based on POS Profile, if grouped by POS Profile",如果按POS配置文件分组,则无法基于POS配置文件进行过滤, +"Can not filter based on Customer, if grouped by Customer",如果按客户分组,则无法根据客户进行过滤, +"Can not filter based on Cashier, if grouped by Cashier",如果按收银员分组,则无法根据收银员进行过滤, +Payment Method,付款方法, +"Can not filter based on Payment Method, if grouped by Payment Method",如果按付款方式分组,则无法基于付款方式进行过滤, +Supplier Quotation Comparison,供应商报价比较, +Price per Unit (Stock UOM),单价(库存单位), +Group by Supplier,按供应商分组, +Group by Item,按项目分组, +Remember to set {field_label}. It is required by {regulation}.,请记住设置{field_label}。 {regulation}要求它。, +Enrollment Date cannot be before the Start Date of the Academic Year {0},入学日期不能早于学年的开始日期{0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},入学日期不能晚于学期结束日期{0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},入学日期不能早于学期开始日期{0}, +Posting future transactions are not allowed due to Immutable Ledger,由于帐目不可变,因此不允许过帐未来交易, +Future Posting Not Allowed,不允许将来发布, +"To enable Capital Work in Progress Accounting, ",要启用基本工程进度会计,, +you must select Capital Work in Progress Account in accounts table,您必须在帐户表中选择正在进行的资本工程帐户, +You can also set default CWIP account in Company {},您还可以在公司{}中设置默认的CWIP帐户, +The Request for Quotation can be accessed by clicking on the following button,点击以下按钮可以访问报价请求, +Regards,问候, +Please click on the following button to set your new password,请点击以下按钮设置新密码, +Update Password,更新密码, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},第#{}行:商品{}的销售价格低于其{}。出售{}应该至少{}, +You can alternatively disable selling price validation in {} to bypass this validation.,您也可以在{}中禁用售价验证,以绕过此验证。, +Invalid Selling Price,无效的售价, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,地址需要链接到公司。请在“链接”表中为“公司”添加一行。, +Company Not Linked,公司未链接, +Import Chart of Accounts from CSV / Excel files,从CSV / Excel文件导入会计科目表, +Completed Qty cannot be greater than 'Qty to Manufacture',完成的数量不能大于“制造数量”, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",第{0}行:对于供应商{1},需要电子邮件地址才能发送电子邮件, diff --git a/erpnext/translations/zh_tw.csv b/erpnext/translations/zh_tw.csv index 63492d7ca9..8cfba78c0a 100644 --- a/erpnext/translations/zh_tw.csv +++ b/erpnext/translations/zh_tw.csv @@ -484,7 +484,6 @@ Chapter information.,章節信息。, Charge of type 'Actual' in row {0} cannot be included in Item Rate,類型'實際'行{0}的計費,不能被包含在項目單價, Charges are updated in Purchase Receipt against each item,費用對在採購入庫單內的每個項目更新, "Charges will be distributed proportionately based on item qty or amount, as per your selection",費用將被分配比例根據項目數量或金額,按您的選擇, -Chart Of Accounts,會計科目表, Chart of Cost Centers,成本中心的圖, Check all,全面檢查, Checkout,查看, @@ -539,7 +538,6 @@ Company is manadatory for company account,公司是公司賬戶的管理者, Company name not same,公司名稱不一樣, Compensatory Off,補假, Compensatory leave request days not in valid holidays,補休請求天不在有效假期, -Completed Qty can not be greater than 'Qty to Manufacture',完成數量不能大於“數量來製造”, Computer,電腦, Condition,條件, Confirmed orders from Customers.,確認客戶的訂單。, @@ -1894,7 +1892,6 @@ Please select Category first,請先選擇分類, Please select Charge Type first,請先選擇付款類別, Please select Company,請選擇公司, Please select Company and Designation,請選擇公司和指定, -Please select Company and Party Type first,請選擇公司和黨的第一型, Please select Company and Posting Date to getting entries,請選擇公司和發布日期以獲取條目, Please select Company first,請首先選擇公司, Please select Completion Date for Completed Asset Maintenance Log,請選擇已完成資產維護日誌的完成日期, @@ -2795,7 +2792,6 @@ The name of the institute for which you are setting up this system.,該機構的 The name of your company for which you are setting up this system.,您的公司要為其設立這個系統的名稱。, The number of shares and the share numbers are inconsistent,股份數量和股票數量不一致, The payment gateway account in plan {0} is different from the payment gateway account in this payment request,計劃{0}中的支付網關帳戶與此付款請求中的支付網關帳戶不同, -The request for quotation can be accessed by clicking on the following link,報價請求可以通過點擊以下鏈接進行訪問, The selected BOMs are not for the same item,所選的材料清單並不同樣項目, The selected item cannot have Batch,所選項目不能批, The seller and the buyer cannot be the same,賣方和買方不能相同, @@ -3317,7 +3313,6 @@ Bundle Qty,捆綁數量, Company field is required,公司字段是必填項, Creating Dimensions...,創建尺寸......, Duplicate entry against the item code {0} and manufacturer {1},項目代碼{0}和製造商{1}的重複輸入, -Import Chart Of Accounts from CSV / Excel files,從CSV / Excel文件導入科目表, 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格式不符, Invoice Grand Total,發票總計, Last carbon check date cannot be a future date,最後的碳檢查日期不能是未來的日期, @@ -3673,7 +3668,6 @@ Plaid authentication error,格子認證錯誤, Plaid public token error,格子公共令牌錯誤, Plaid transactions sync error,格子交易同步錯誤, Please check the error log for details about the import errors,有關導入錯誤的詳細信息,請查看錯誤日誌, -Please click on the following link to set your new password,請點擊以下鏈接來設置新密碼, Please create DATEV Settings for Company {}.,請為公司{}創建DATEV設置 。, Please create adjustment Journal Entry for amount {0} ,請為金額{0}創建調整日記帳分錄, Please do not create more than 500 items at a time,請不要一次創建超過500個項目, @@ -3791,7 +3785,6 @@ Search results for,為。。。。尋找結果, Select All,全選, Select Difference Account,選擇差異賬戶, Select a Default Priority.,選擇默認優先級。, -Select a Supplier from the Default Supplier List of the items below.,從以下各項的默認供應商列表中選擇供應商。, Select a company,選擇一家公司, Select finance book for the item {0} at row {1},為行{1}中的項{0}選擇財務手冊, Select only one Priority as Default.,僅選擇一個優先級作為默認值。, @@ -3977,7 +3970,6 @@ Yes,是的, Actual ,實際, Add to cart,添加到購物車, Budget,預算, -Chart Of Accounts Importer,會計科目表進口商, Chart of Accounts,會計科目表, Customer database.,客戶數據庫。, Days Since Last order,自上次訂購以來的天數, @@ -4625,7 +4617,6 @@ Closing Account Head,關閉帳戶頭, POS Customer Group,POS客戶群, POS Field,POS場, POS Item Group,POS項目組, -[Select],[選擇], Update Stock,庫存更新, Ignore Pricing Rule,忽略定價規則, Applicable for Users,適用於用戶, @@ -6136,11 +6127,6 @@ Relieving Date,解除日期, Reason for Leaving,離職原因, Leave Encashed?,離開兌現?, Encashment Date,兌現日期, -Exit Interview Details,退出面試細節, -Held On,舉行, -Reason for Resignation,辭退原因, -Better Prospects,美好前景, -Health Concerns,健康問題, New Workplace,新工作空間, Returned Amount,退貨金額, Claimed,聲稱, @@ -7677,9 +7663,6 @@ Distribute Charges Based On,分銷費基於, Landed Cost Help,到岸成本幫助, Manufacturers used in Items,在項目中使用製造商, Limited to 12 characters,限12個字符, -Set Warehouse,設置倉庫, -Sets 'For Warehouse' in each row of the Items table.,在“物料”表的每一行中設置“用於倉庫”。, -Requested For,要求, Partially Ordered,部分訂購, Transferred,轉入, % Ordered,% 已訂購, @@ -8107,8 +8090,6 @@ Material Request Warehouse,物料請求倉庫, Select warehouse for material requests,選擇物料需求倉庫, Transfer Materials For Warehouse {0},倉庫{0}的轉移物料, Production Plan Material Request Warehouse,生產計劃物料申請倉庫, -Set From Warehouse,從倉庫設置, -Source Warehouse (Material Transfer),源倉庫(物料轉移), Sets 'Source Warehouse' in each row of the items table.,在項目表的每一行中設置“源倉庫”。, Sets 'Target Warehouse' in each row of the items table.,在項目表的每一行中設置“目標倉庫”。, Show Cancelled Entries,顯示已取消的條目, @@ -8504,7 +8485,6 @@ Professional Tax,專業稅收, Is Income Tax Component,是所得稅組成部分, Component properties and references ,組件屬性和參考, Additional Salary ,額外工資, -Condtion and formula,條件和公式, Unmarked days,無標記的日子, Absent Days,缺席天數, Conditions and Formula variable and example,條件和公式變量以及示例, @@ -8764,7 +8744,6 @@ Plaid invalid request error,格子無效的請求錯誤, Please check your Plaid client ID and secret values,請檢查您的格子客戶ID和機密值, Bank transaction creation error,銀行交易創建錯誤, Unit of Measurement,測量單位, -Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},第#{}行:商品{}的銷售價格低於其{}。銷售率應至少為{}, Fiscal Year {0} Does Not Exist,會計年度{0}不存在, Row # {0}: Returned Item {1} does not exist in {2} {3},第#0行:{2} {3}中不存在返回的項目{1}, Valuation type charges can not be marked as Inclusive,評估類型的費用不能標記為包含, @@ -8915,7 +8894,6 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,在行{1}中 Response Time for {0} priority in row {1} can't be greater than Resolution Time.,第{1}行中{0}優先級的響應時間不能大於“解決時間”。, {0} is not enabled in {1},{1}中未啟用{0}, Group by Material Request,按材料要求分組, -"Row {0}: For Supplier {0}, Email Address is Required to Send Email",第{0}行:對於供應商{0},需要使用電子郵件地址發送電子郵件, Email Sent to Supplier {0},通過電子郵件發送給供應商{0}, "The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",禁止從門戶網站訪問報價請求。要允許訪問,請在門戶設置中啟用它。, Supplier Quotation {0} Created,供應商報價{0}已創建, @@ -8928,3 +8906,46 @@ Total weightage assigned should be 100%.
It is {0},分配的總重量應為10 Account {0} exists in parent company {1}.,帳戶{0}在母公司{1}中。, "To overrule this, enable '{0}' in company {1}",要否決此問題,請在公司{1}中啟用“ {0}”, Invalid condition expression,條件表達式無效, +Please Select a Company First,請先選擇公司, +Please Select Both Company and Party Type First,請首先選擇公司和派對類型, +Provide the invoice portion in percent,提供發票百分比, +Give number of days according to prior selection,根據事先選擇給出天數, +Email Details,電子郵件詳細資料, +"Select a greeting for the receiver. E.g. Mr., Ms., etc.",選擇收件人的問候語。例如先生,女士等, +Preview Email,預覽電子郵件, +Please select a Supplier,請選擇供應商, +Supplier Lead Time (days),供應商交貨時間(天), +Exit Interview Held On,退出面試舉行, +Condition and formula,條件和公式, +Sets 'Target Warehouse' in each row of the Items table.,在“物料”表的每一行中設置“目標倉庫”。, +Sets 'Source Warehouse' in each row of the Items table.,在“物料”表的每一行中設置“源倉庫”。, +POS Register,POS收銀機, +"Can not filter based on POS Profile, if grouped by POS Profile",如果按POS配置文件分組,則無法基於POS配置文件進行過濾, +"Can not filter based on Customer, if grouped by Customer",如果按客戶分組,則無法根據客戶進行過濾, +"Can not filter based on Cashier, if grouped by Cashier",如果按收銀員分組,則無法根據收銀員進行過濾, +"Can not filter based on Payment Method, if grouped by Payment Method",如果按付款方式分組,則無法基於付款方式進行過濾, +Supplier Quotation Comparison,供應商報價比較, +Price per Unit (Stock UOM),單價(庫存單位), +Group by Supplier,按供應商分組, +Group by Item,按項目分組, +Remember to set {field_label}. It is required by {regulation}.,請記住設置{field_label}。 {regulation}要求它。, +Enrollment Date cannot be before the Start Date of the Academic Year {0},入學日期不能早於學年的開始日期{0}, +Enrollment Date cannot be after the End Date of the Academic Term {0},入學日期不能晚於學期結束日期{0}, +Enrollment Date cannot be before the Start Date of the Academic Term {0},入學日期不能早於學期開始日期{0}, +Posting future transactions are not allowed due to Immutable Ledger,由於帳目不可變,因此不允許過帳未來交易, +Future Posting Not Allowed,不允許將來發布, +"To enable Capital Work in Progress Accounting, ",要啟用基本工程進度會計,, +you must select Capital Work in Progress Account in accounts table,您必須在帳戶表中選擇正在進行的資本工程帳戶, +You can also set default CWIP account in Company {},您還可以在公司{}中設置默認的CWIP帳戶, +The Request for Quotation can be accessed by clicking on the following button,點擊以下按鈕可以訪問報價請求, +Regards,問候, +Please click on the following button to set your new password,請點擊以下按鈕設置新密碼, +Update Password,更新密碼, +Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},第#{}行:商品{}的銷售價格低於其{}。出售{}應該至少{}, +You can alternatively disable selling price validation in {} to bypass this validation.,您也可以在{}中禁用售價驗證,以繞過此驗證。, +Invalid Selling Price,無效的售價, +Address needs to be linked to a Company. Please add a row for Company in the Links table.,地址需要鏈接到公司。請在“鏈接”表中為“公司”添加一行。, +Company Not Linked,公司未鏈接, +Import Chart of Accounts from CSV / Excel files,從CSV / Excel文件導入會計科目表, +Completed Qty cannot be greater than 'Qty to Manufacture',完成的數量不能大於“製造數量”, +"Row {0}: For Supplier {1}, Email Address is Required to send an email",第{0}行:對於供應商{1},需要電子郵件地址才能發送電子郵件, From 2fbeb7c1ddf8773454a373952c16ca65bbb9b1b4 Mon Sep 17 00:00:00 2001 From: rohitwaghchaure Date: Mon, 19 Oct 2020 11:37:54 +0530 Subject: [PATCH 36/49] refactor: added new filters in the Batch-wise balance history report (#23676) * refactor: added new filters in the Batch-wise balance history report * fix: added semicolon Co-authored-by: Nabin Hait --- .../batch_wise_balance_history.js | 52 +++++++++++++++++-- .../batch_wise_balance_history.py | 4 ++ 2 files changed, 51 insertions(+), 5 deletions(-) diff --git a/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.js b/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.js index 2499c801d2..74b5a5ae36 100644 --- a/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.js +++ b/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.js @@ -3,6 +3,14 @@ frappe.query_reports["Batch-Wise Balance History"] = { "filters": [ + { + "fieldname":"company", + "label": __("Company"), + "fieldtype": "Link", + "options": "Company", + "default": frappe.defaults.get_user_default("Company"), + "reqd": 1 + }, { "fieldname":"from_date", "label": __("From Date"), @@ -20,12 +28,46 @@ frappe.query_reports["Batch-Wise Balance History"] = { "reqd": 1 }, { - "fieldname": "item", - "label": __("Item"), + "fieldname":"item_code", + "label": __("Item Code"), "fieldtype": "Link", "options": "Item", - "width": "80" - } + "get_query": function() { + return { + filters: { + "has_batch_no": 1 + } + }; + } + }, + { + "fieldname":"warehouse", + "label": __("Warehouse"), + "fieldtype": "Link", + "options": "Warehouse", + "get_query": function() { + let company = frappe.query_report.get_filter_value('company'); + return { + filters: { + "company": company + } + }; + } + }, + { + "fieldname":"batch_no", + "label": __("Batch No"), + "fieldtype": "Link", + "options": "Batch", + "get_query": function() { + let item_code = frappe.query_report.get_filter_value('item_code'); + return { + filters: { + "item": item_code + } + }; + } + }, ], "formatter": function (value, row, column, data, default_formatter) { if (column.fieldname == "Batch" && data && !!data["Batch"]) { @@ -43,4 +85,4 @@ frappe.query_reports["Batch-Wise Balance History"] = { frappe.set_route("query-report", "Stock Ledger"); } -} \ No newline at end of file +} diff --git a/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py b/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py index 8f3e246e7f..087c12ed2d 100644 --- a/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +++ b/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py @@ -57,6 +57,10 @@ def get_conditions(filters): else: frappe.throw(_("'To Date' is required")) + for field in ["item_code", "warehouse", "batch_no", "company"]: + if filters.get(field): + conditions += " and {0} = {1}".format(field, frappe.db.escape(filters.get(field))) + return conditions From f5a8dc0f9c7dc615a7ad998500d2ee3a883b0e9f Mon Sep 17 00:00:00 2001 From: Glen Whitney Date: Mon, 19 Oct 2020 04:19:55 -0700 Subject: [PATCH 37/49] fix(Bank Reconciliation): update/merge CR/DR journal entry search (#23629) * fix(Bank Reconciliation): update/merge CR/DR journal entry search Prior to this commit, the debit journal entry search (for credit-side Bank Transaction entries) and the corresponding credit journal entry search had diverged, with the latter working but the former not working. Thus, the search for journal entries matching a credit Bank Transaction (for the purposes of reconciliation) was never returning any matching journal entries, making reconciliation difficult. To fix this, this commit not only updates the debit journal entry search, but takes advantage of the fact that the two SQL queries for the two sides (debit/credit) differ only by the word "debit" or "credit," to merge the code for the two queries, making the code more DRY and hopefully reducing the chance of similar bugs occurring in the future. * fix: message translation Co-authored-by: Nabin Hait --- .../bank_reconciliation.py | 71 +++++++------------ 1 file changed, 25 insertions(+), 46 deletions(-) diff --git a/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py b/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py index ce6baa6846..a168cd1a7d 100644 --- a/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py +++ b/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py @@ -19,8 +19,7 @@ def reconcile(bank_transaction, payment_doctype, payment_name): gl_entry = frappe.get_doc("GL Entry", dict(account=account, voucher_type=payment_doctype, voucher_no=payment_name)) if payment_doctype == "Payment Entry" and payment_entry.unallocated_amount > transaction.unallocated_amount: - frappe.throw(_("The unallocated amount of Payment Entry {0} \ - is greater than the Bank Transaction's unallocated amount").format(payment_name)) + frappe.throw(_("The unallocated amount of Payment Entry {0} is greater than the Bank Transaction's unallocated amount").format(payment_name)) if transaction.unallocated_amount == 0: frappe.throw(_("This bank transaction is already fully reconciled")) @@ -83,50 +82,30 @@ def check_matching_amount(bank_account, company, transaction): "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) + jea_side = "debit" if transaction.credit > 0 else "credit" + journal_entries = frappe.db.sql(f""" + 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.{jea_side}_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.{jea_side}_in_account_currency like %(txt)s + AND + je.docstatus = 1 + """, { + 'bank_account': bank_account, + 'txt': '%%%s%%' % amount + }, as_dict=True) if transaction.credit > 0: sales_invoices = frappe.db.sql(""" From 3a17147a32cf33d2f9eb854498f1d4c9c32b107c Mon Sep 17 00:00:00 2001 From: rohitwaghchaure Date: Mon, 19 Oct 2020 16:54:11 +0530 Subject: [PATCH 38/49] refactor: book loss amount in the COGS instead of stock received but not billed (#23671) --- erpnext/stock/doctype/purchase_receipt/purchase_receipt.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py index 4e173fff4d..faa9dd944b 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py @@ -296,7 +296,7 @@ class PurchaseReceipt(BuyingController): if self.is_return or flt(d.item_tax_amount): loss_account = expenses_included_in_valuation else: - loss_account = stock_rbnb + loss_account = self.get_company_default("default_expense_account") gl_entries.append(self.get_gl_dict({ "account": loss_account, From e0cb6c3b9d40f566840f757f9e9a19f9d084c918 Mon Sep 17 00:00:00 2001 From: Afshan <33727827+AfshanKhan@users.noreply.github.com> Date: Mon, 19 Oct 2020 16:55:20 +0530 Subject: [PATCH 39/49] fix: removed extra space from label "Rate" (#23683) --- .../supplier_quotation_item/supplier_quotation_item.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/buying/doctype/supplier_quotation_item/supplier_quotation_item.json b/erpnext/buying/doctype/supplier_quotation_item/supplier_quotation_item.json index 7d624357f3..638cde01be 100644 --- a/erpnext/buying/doctype/supplier_quotation_item/supplier_quotation_item.json +++ b/erpnext/buying/doctype/supplier_quotation_item/supplier_quotation_item.json @@ -241,7 +241,7 @@ "fieldname": "rate", "fieldtype": "Currency", "in_list_view": 1, - "label": "Rate ", + "label": "Rate", "oldfieldname": "import_rate", "oldfieldtype": "Currency", "options": "currency" @@ -560,7 +560,7 @@ "index_web_pages_for_search": 1, "istable": 1, "links": [], - "modified": "2020-10-01 16:34:39.703033", + "modified": "2020-10-19 12:36:26.913211", "modified_by": "Administrator", "module": "Buying", "name": "Supplier Quotation Item", From 8859b71956afea1a0d8c5d0fc7e43ec3bba6feb3 Mon Sep 17 00:00:00 2001 From: Deepesh Garg <42651287+deepeshgarg007@users.noreply.github.com> Date: Mon, 19 Oct 2020 16:56:45 +0530 Subject: [PATCH 40/49] fix: Check for backdated validation only for transaction company (#23639) * fix: Check SLE only for transaction company * fix: Add tests * fix: Move backdated entry validation from transaction base to stock ledger entry * chore: Add tests Co-authored-by: Nabin Hait --- .../purchase_receipt/test_purchase_receipt.py | 55 ++++++++++++++++++- .../stock_ledger_entry/stock_ledger_entry.py | 28 +++++++++- erpnext/utilities/transaction_base.py | 41 -------------- 3 files changed, 81 insertions(+), 43 deletions(-) diff --git a/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py index 74a06d8585..12c89066a7 100644 --- a/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py @@ -6,7 +6,7 @@ import unittest import json import frappe, erpnext import frappe.defaults -from frappe.utils import cint, flt, cstr, today, random_string +from frappe.utils import cint, flt, cstr, today, random_string, add_days from erpnext.stock.doctype.purchase_receipt.purchase_receipt import make_purchase_invoice from erpnext.stock.doctype.item.test_item import create_item from erpnext import set_perpetual_inventory @@ -665,6 +665,59 @@ class TestPurchaseReceipt(unittest.TestCase): warehouse.account = '' warehouse.save() + def test_backdated_purchase_receipt(self): + # make purchase receipt for default company + make_purchase_receipt(company="_Test Company 4", warehouse="Stores - _TC4") + + # try to make another backdated PR + posting_date = add_days(today(), -1) + pr = make_purchase_receipt(company="_Test Company 4", warehouse="Stores - _TC4", + do_not_submit=True) + + pr.set_posting_time = 1 + pr.posting_date = posting_date + pr.save() + + self.assertRaises(frappe.ValidationError, pr.submit) + + # make purchase receipt for other company backdated + pr = make_purchase_receipt(company="_Test Company 5", warehouse="Stores - _TC5", + do_not_submit=True) + + pr.set_posting_time = 1 + pr.posting_date = posting_date + pr.submit() + + # Allowed to submit for other company's PR + self.assertEqual(pr.docstatus, 1) + + def test_backdated_purchase_receipt_for_same_company_different_warehouse(self): + # make purchase receipt for default company + make_purchase_receipt(company="_Test Company 4", warehouse="Stores - _TC4") + + # try to make another backdated PR + posting_date = add_days(today(), -1) + pr = make_purchase_receipt(company="_Test Company 4", warehouse="Stores - _TC4", + do_not_submit=True) + + pr.set_posting_time = 1 + pr.posting_date = posting_date + pr.save() + + self.assertRaises(frappe.ValidationError, pr.submit) + + # make purchase receipt for other company backdated + pr = make_purchase_receipt(company="_Test Company 4", warehouse="Finished Goods - _TC4", + do_not_submit=True) + + pr.set_posting_time = 1 + pr.posting_date = posting_date + pr.submit() + + # Allowed to submit for other company's PR + self.assertEqual(pr.docstatus, 1) + + def get_sl_entries(voucher_type, voucher_no): return frappe.db.sql(""" select actual_qty, warehouse, stock_value_difference from `tabStock Ledger Entry` where voucher_type=%s and voucher_no=%s diff --git a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py index 101c6e099e..bb356f694a 100644 --- a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +++ b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py @@ -5,7 +5,7 @@ from __future__ import unicode_literals import frappe from frappe import _ -from frappe.utils import flt, getdate, add_days, formatdate +from frappe.utils import flt, getdate, add_days, formatdate, get_datetime, date_diff from frappe.model.document import Document from datetime import date from erpnext.controllers.item_variant import ItemTemplateCannotHaveStock @@ -33,6 +33,8 @@ class StockLedgerEntry(Document): self.scrub_posting_time() self.validate_and_set_fiscal_year() self.block_transactions_against_group_warehouse() + self.validate_with_last_transaction_posting_time() + self.validate_future_posting() def on_submit(self): self.check_stock_frozen_date() @@ -139,6 +141,30 @@ class StockLedgerEntry(Document): from erpnext.stock.utils import is_group_warehouse is_group_warehouse(self.warehouse) + def validate_with_last_transaction_posting_time(self): + last_transaction_time = frappe.db.sql(""" + select MAX(timestamp(posting_date, posting_time)) as posting_time + from `tabStock Ledger Entry` + where docstatus = 1 and item_code = %s + and warehouse = %s""", (self.item_code, self.warehouse))[0][0] + + cur_doc_posting_datetime = "%s %s" % (self.posting_date, self.get("posting_time") or "00:00:00") + + if last_transaction_time and get_datetime(cur_doc_posting_datetime) < get_datetime(last_transaction_time): + msg = _("Last Stock Transaction for item {0} under warehouse {1} was on {2}.").format(frappe.bold(self.item_code), + frappe.bold(self.warehouse), frappe.bold(last_transaction_time)) + + msg += "

" + _("Stock Transactions for Item {0} under warehouse {1} cannot be posted before this time.").format( + frappe.bold(self.item_code), frappe.bold(self.warehouse)) + + msg += "

" + _("Please remove this item and try to submit again or update the posting time.") + frappe.throw(msg, title=_("Backdated Stock Entry")) + + def validate_future_posting(self): + if date_diff(self.posting_date, getdate()) > 0: + msg = _("Posting future stock transactions are not allowed due to Immutable Ledger") + frappe.throw(msg, title=_("Future Posting Not Allowed")) + def on_doctype_update(): if not frappe.db.has_index('tabStock Ledger Entry', 'posting_sort_index'): frappe.db.commit() diff --git a/erpnext/utilities/transaction_base.py b/erpnext/utilities/transaction_base.py index 298e1110d3..c8ae73365b 100644 --- a/erpnext/utilities/transaction_base.py +++ b/erpnext/utilities/transaction_base.py @@ -29,28 +29,6 @@ class TransactionBase(StatusUpdater): except ValueError: frappe.throw(_('Invalid Posting Time')) - self.validate_future_posting() - self.validate_with_last_transaction_posting_time() - - def is_stock_transaction(self): - if self.doctype not in ["Sales Invoice", "Purchase Invoice", "Stock Entry", "Stock Reconciliation", - "Delivery Note", "Purchase Receipt", "Fees"]: - return False - - if self.doctype in ["Sales Invoice", "Purchase Invoice"]: - if not (self.get("update_stock") or self.get("is_pos")): - return False - - return True - - def validate_future_posting(self): - if not self.is_stock_transaction(): - return - - if getattr(self, 'set_posting_time', None) and date_diff(self.posting_date, nowdate()) > 0: - msg = _("Posting future transactions are not allowed due to Immutable Ledger") - frappe.throw(msg, title=_("Future Posting Not Allowed")) - def add_calendar_event(self, opts, force=False): if cstr(self.contact_by) != cstr(self._prev.contact_by) or \ cstr(self.contact_date) != cstr(self._prev.contact_date) or force or \ @@ -180,25 +158,6 @@ class TransactionBase(StatusUpdater): return ret - def validate_with_last_transaction_posting_time(self): - - if not self.is_stock_transaction(): - return - - for item in self.get('items'): - last_transaction_time = frappe.db.sql(""" - select MAX(timestamp(posting_date, posting_time)) as posting_time - from `tabStock Ledger Entry` - where docstatus = 1 and item_code = %s """, (item.item_code))[0][0] - - cur_doc_posting_datetime = "%s %s" % (self.posting_date, self.get("posting_time") or "00:00:00") - - if last_transaction_time and get_datetime(cur_doc_posting_datetime) < get_datetime(last_transaction_time): - msg = _("Last Stock Transaction for item {0} was on {1}.").format(frappe.bold(item.item_code), frappe.bold(last_transaction_time)) - msg += "

" + _("Stock Transactions for Item {0} cannot be posted before this time.").format(frappe.bold(item.item_code)) - msg += "

" + _("Please remove this item and try to submit again or update the posting time.") - frappe.throw(msg, title=_("Backdated Stock Entry")) - def delete_events(ref_type, ref_name): events = frappe.db.sql_list(""" SELECT distinct `tabEvent`.name From 174019a8382742a2a4620a1744d0cf276cbf87e4 Mon Sep 17 00:00:00 2001 From: Rucha Mahabal Date: Mon, 19 Oct 2020 17:00:56 +0530 Subject: [PATCH 41/49] fix: Student Admission and Student Applicant fixes (#23515) * fix: student admission list portal styling * fix: added basic validations to Student Admission DocType * fix: show program description and apply button for every program * fix: don't show apply now button if admissions have not started * fix: fetch admission details in student applicant web form Co-authored-by: Nabin Hait --- .../student_admission/student_admission.json | 5 +- .../student_admission/student_admission.py | 3 + .../templates/student_admission.html | 24 ++++---- .../templates/student_admission_row.html | 16 ++++-- .../student_admission_program.json | 34 +++++------ .../student_applicant/student_applicant.json | 3 +- .../student_applicant/student_applicant.json | 57 ++++++++++--------- 7 files changed, 79 insertions(+), 63 deletions(-) diff --git a/erpnext/education/doctype/student_admission/student_admission.json b/erpnext/education/doctype/student_admission/student_admission.json index 1096888d4d..75f21625b0 100644 --- a/erpnext/education/doctype/student_admission/student_admission.json +++ b/erpnext/education/doctype/student_admission/student_admission.json @@ -51,12 +51,14 @@ "fieldname": "admission_start_date", "fieldtype": "Date", "label": "Admission Start Date", + "mandatory_depends_on": "enable_admission_application", "no_copy": 1 }, { "fieldname": "admission_end_date", "fieldtype": "Date", "label": "Admission End Date", + "mandatory_depends_on": "enable_admission_application", "no_copy": 1 }, { @@ -83,6 +85,7 @@ }, { "default": "0", + "depends_on": "published", "fieldname": "enable_admission_application", "fieldtype": "Check", "label": "Enable Admission Application" @@ -91,7 +94,7 @@ "has_web_view": 1, "is_published_field": "published", "links": [], - "modified": "2020-06-15 20:18:38.591626", + "modified": "2020-09-18 00:14:54.615321", "modified_by": "Administrator", "module": "Education", "name": "Student Admission", diff --git a/erpnext/education/doctype/student_admission/student_admission.py b/erpnext/education/doctype/student_admission/student_admission.py index 2781c9c50c..0febb96aeb 100644 --- a/erpnext/education/doctype/student_admission/student_admission.py +++ b/erpnext/education/doctype/student_admission/student_admission.py @@ -19,6 +19,9 @@ class StudentAdmission(WebsiteGenerator): if not self.route: #pylint: disable=E0203 self.route = "admissions/" + "-".join(self.title.split(" ")) + if self.enable_admission_application and not self.program_details: + frappe.throw(_("Please add programs to enable admission application.")) + def get_context(self, context): context.no_cache = 1 context.show_sidebar = True diff --git a/erpnext/education/doctype/student_admission/templates/student_admission.html b/erpnext/education/doctype/student_admission/templates/student_admission.html index e5a9ead31e..7ff3906b34 100644 --- a/erpnext/education/doctype/student_admission/templates/student_admission.html +++ b/erpnext/education/doctype/student_admission/templates/student_admission.html @@ -43,31 +43,35 @@ Program/Std. - Minumum Age - Maximum Age + Description + Minumum Age + Maximum Age Application Fee + {%- if doc.enable_admission_application and frappe.utils.getdate(doc.admission_start_date) <= today -%} + + {% endif %} {% for row in program_details %} {{ row.program }} +
{{ row.description if row.description else '' }}
{{ row.min_age }} {{ row.max_age }} {{ row.application_fee }} + {%- if doc.enable_admission_application and frappe.utils.getdate(doc.admission_start_date) <= today -%} + + + {{ _("Apply Now") }} + + + {% endif %} {% endfor %} {% endif %} - {%- if doc.enable_admission_application -%} -
-

- - {{ _("Apply Now") }} -

- {% endif %} {% endblock %} diff --git a/erpnext/education/doctype/student_admission/templates/student_admission_row.html b/erpnext/education/doctype/student_admission/templates/student_admission_row.html index e049773037..cf22436ae6 100644 --- a/erpnext/education/doctype/student_admission/templates/student_admission_row.html +++ b/erpnext/education/doctype/student_admission/templates/student_admission_row.html @@ -1,8 +1,8 @@ -
+
{% set today = frappe.utils.getdate(frappe.utils.nowdate()) %} - +
-
+
{{ doc.title }}
+
+ + Academic Year + +
+ {{ doc.academic_year }} +
+
Starts on @@ -27,7 +35,7 @@ Ends on -
+
{{ frappe.format_date(doc.admission_end_date) }}
diff --git a/erpnext/education/doctype/student_admission_program/student_admission_program.json b/erpnext/education/doctype/student_admission_program/student_admission_program.json index e9f041e101..d14b9a4d91 100644 --- a/erpnext/education/doctype/student_admission_program/student_admission_program.json +++ b/erpnext/education/doctype/student_admission_program/student_admission_program.json @@ -8,6 +8,7 @@ "program", "min_age", "max_age", + "description", "column_break_4", "application_fee", "applicant_naming_series" @@ -18,52 +19,47 @@ "fieldtype": "Link", "in_list_view": 1, "label": "Program", - "options": "Program", - "show_days": 1, - "show_seconds": 1 + "options": "Program" }, { "fieldname": "column_break_4", - "fieldtype": "Column Break", - "show_days": 1, - "show_seconds": 1 + "fieldtype": "Column Break" }, { "fieldname": "application_fee", "fieldtype": "Currency", "in_list_view": 1, - "label": "Application Fee", - "show_days": 1, - "show_seconds": 1 + "label": "Application Fee" }, { "fieldname": "applicant_naming_series", "fieldtype": "Data", "in_list_view": 1, - "label": "Naming Series (for Student Applicant)", - "show_days": 1, - "show_seconds": 1 + "label": "Naming Series (for Student Applicant)" }, { "fieldname": "min_age", "fieldtype": "Int", "in_list_view": 1, - "label": "Minimum Age", - "show_days": 1, - "show_seconds": 1 + "label": "Minimum Age" }, { "fieldname": "max_age", "fieldtype": "Int", "in_list_view": 1, - "label": "Maximum Age", - "show_days": 1, - "show_seconds": 1 + "label": "Maximum Age" + }, + { + "fetch_from": "program.description", + "fetch_if_empty": 1, + "fieldname": "description", + "fieldtype": "Small Text", + "label": "Description" } ], "istable": 1, "links": [], - "modified": "2020-06-10 23:06:30.037404", + "modified": "2020-10-05 13:03:42.005985", "modified_by": "Administrator", "module": "Education", "name": "Student Admission Program", diff --git a/erpnext/education/doctype/student_applicant/student_applicant.json b/erpnext/education/doctype/student_applicant/student_applicant.json index bca38fb264..6df9b9a84f 100644 --- a/erpnext/education/doctype/student_applicant/student_applicant.json +++ b/erpnext/education/doctype/student_applicant/student_applicant.json @@ -168,6 +168,7 @@ "fieldname": "student_email_id", "fieldtype": "Data", "label": "Student Email Address", + "options": "Email", "unique": 1 }, { @@ -261,7 +262,7 @@ "image_field": "image", "is_submittable": 1, "links": [], - "modified": "2020-09-07 19:31:30.063563", + "modified": "2020-10-05 13:59:45.631647", "modified_by": "Administrator", "module": "Education", "name": "Student Applicant", diff --git a/erpnext/education/web_form/student_applicant/student_applicant.json b/erpnext/education/web_form/student_applicant/student_applicant.json index 2be564833a..7b4eaa18ff 100644 --- a/erpnext/education/web_form/student_applicant/student_applicant.json +++ b/erpnext/education/web_form/student_applicant/student_applicant.json @@ -70,19 +70,7 @@ "show_in_filter": 0 }, { - "allow_read_on_all_link_options": 0, - "fieldname": "image", - "fieldtype": "Data", - "hidden": 0, - "label": "Image", - "max_length": 0, - "max_value": 0, - "read_only": 0, - "reqd": 0, - "show_in_filter": 0 - }, - { - "allow_read_on_all_link_options": 0, + "allow_read_on_all_link_options": 1, "fieldname": "program", "fieldtype": "Link", "hidden": 0, @@ -95,7 +83,7 @@ "show_in_filter": 0 }, { - "allow_read_on_all_link_options": 0, + "allow_read_on_all_link_options": 1, "fieldname": "academic_year", "fieldtype": "Link", "hidden": 0, @@ -107,6 +95,19 @@ "reqd": 0, "show_in_filter": 0 }, + { + "allow_read_on_all_link_options": 1, + "fieldname": "academic_term", + "fieldtype": "Link", + "hidden": 0, + "label": "Academic Term", + "max_length": 0, + "max_value": 0, + "options": "Academic Term", + "read_only": 0, + "reqd": 0, + "show_in_filter": 0 + }, { "allow_read_on_all_link_options": 0, "fieldname": "date_of_birth", @@ -119,6 +120,19 @@ "reqd": 0, "show_in_filter": 0 }, + { + "allow_read_on_all_link_options": 1, + "fieldname": "gender", + "fieldtype": "Link", + "hidden": 0, + "label": "Gender", + "max_length": 0, + "max_value": 0, + "options": "Gender", + "read_only": 0, + "reqd": 0, + "show_in_filter": 0 + }, { "allow_read_on_all_link_options": 0, "fieldname": "blood_group", @@ -141,7 +155,7 @@ "max_length": 0, "max_value": 0, "read_only": 0, - "reqd": 0, + "reqd": 1, "show_in_filter": 0 }, { @@ -206,19 +220,6 @@ "reqd": 0, "show_in_filter": 0 }, - { - "allow_read_on_all_link_options": 0, - "fieldname": "guardians", - "fieldtype": "Table", - "hidden": 0, - "label": "Guardians", - "max_length": 0, - "max_value": 0, - "options": "Student Guardian", - "read_only": 0, - "reqd": 0, - "show_in_filter": 0 - }, { "allow_read_on_all_link_options": 0, "fieldname": "siblings", From 8115be58a3e4b0a4aaf2d3b1c7f617b3d6a4af7c Mon Sep 17 00:00:00 2001 From: Joseph Marie Alba Date: Mon, 19 Oct 2020 19:32:04 +0800 Subject: [PATCH 42/49] fix: Posting Date bug in load_defaults (#23415) this.frm.posting_date is always invalid and should be changed to this.frm.doc.posting_date The effect of this bug fix is, a default Posting Date value may now be set in Custom Script's onload event, and the default value will be honored. Example: (Assuming posting date has been included in standard filter) ``` frappe.ui.form.on('Journal Entry', { before_load(frm) { var posting_date = $("input[data-fieldname='posting_date']")[0].value posting_date = moment(posting_date)._d frm.set_value('posting_date', posting_date ) } }) ``` Without the fix, the posting date will always be today's date. With the bug fix, the default value for posting date which is taken from the posting date's Standard Filter vale is honored. Co-authored-by: Sagar Vora --- erpnext/accounts/doctype/journal_entry/journal_entry.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/journal_entry/journal_entry.js b/erpnext/accounts/doctype/journal_entry/journal_entry.js index 409c15f75c..ff12967155 100644 --- a/erpnext/accounts/doctype/journal_entry/journal_entry.js +++ b/erpnext/accounts/doctype/journal_entry/journal_entry.js @@ -210,7 +210,7 @@ erpnext.accounts.JournalEntry = frappe.ui.form.Controller.extend({ $.each(this.frm.doc.accounts || [], function(i, jvd) { frappe.model.set_default_values(jvd); }); - var posting_date = this.frm.posting_date; + var posting_date = this.frm.doc.posting_date; if(!this.frm.doc.amended_from) this.frm.set_value('posting_date', posting_date || frappe.datetime.get_today()); } }, From 647191221633c9ec7cc5b47616fee7a73573a977 Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Mon, 12 Oct 2020 14:54:54 +0530 Subject: [PATCH 43/49] fix: not able to do overproduction --- erpnext/manufacturing/doctype/work_order/work_order.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/manufacturing/doctype/work_order/work_order.js b/erpnext/manufacturing/doctype/work_order/work_order.js index a244f582c4..9ce465ccaf 100644 --- a/erpnext/manufacturing/doctype/work_order/work_order.js +++ b/erpnext/manufacturing/doctype/work_order/work_order.js @@ -636,7 +636,7 @@ erpnext.work_order = { description: __('Max: {0}', [max]), default: max }, data => { - max += (max * (frm.doc.__onload.overproduction_percentage || 0.0)) / 100; + max += (frm.doc.qty * (frm.doc.__onload.overproduction_percentage || 0.0)) / 100; if (data.qty > max) { frappe.msgprint(__('Quantity must not be more than {0}', [max])); From 09572f10f8a1334e7dfe4f2a0c56e649703f9e50 Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Thu, 15 Oct 2020 15:47:21 +0530 Subject: [PATCH 44/49] fix: overproduction, not allowed to transfer extra materials --- .../stock/doctype/stock_entry/stock_entry.py | 35 +++++++++++++------ 1 file changed, 25 insertions(+), 10 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index a92d04ff8c..d456f986ea 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -96,7 +96,7 @@ class StockEntry(StockController): self.update_quality_inspection() if self.work_order and self.purpose == "Manufacture": self.update_so_in_serial_number() - + if self.purpose == 'Material Transfer' and self.add_to_transit: self.set_material_request_transfer_status('In Transit') if self.purpose == 'Material Transfer' and self.outgoing_stock_entry: @@ -849,6 +849,8 @@ class StockEntry(StockController): frappe.throw(_("Posting date and posting time is mandatory")) self.set_work_order_details() + self.flags.backflush_based_on = frappe.db.get_single_value("Manufacturing Settings", + "backflush_raw_materials_based_on") if self.bom_no: @@ -865,14 +867,16 @@ class StockEntry(StockController): item["to_warehouse"] = self.pro_doc.wip_warehouse self.add_to_stock_entry_detail(item_dict) - elif (self.work_order and (self.purpose == "Manufacture" or self.purpose == "Material Consumption for Manufacture") - and not self.pro_doc.skip_transfer and backflush_based_on == "Material Transferred for Manufacture"): + elif (self.work_order and (self.purpose == "Manufacture" + or self.purpose == "Material Consumption for Manufacture") and not self.pro_doc.skip_transfer + and self.flags.backflush_based_on == "Material Transferred for Manufacture"): self.get_transfered_raw_materials() - elif (self.work_order and backflush_based_on== "BOM" and - (self.purpose == "Manufacture" or self.purpose == "Material Consumption for Manufacture") + elif (self.work_order and (self.purpose == "Manufacture" or + self.purpose == "Material Consumption for Manufacture") and self.flags.backflush_based_on== "BOM" and frappe.db.get_single_value("Manufacturing Settings", "material_consumption")== 1): self.get_unconsumed_raw_materials() + else: if not self.fg_completed_qty: frappe.throw(_("Manufacturing Quantity is mandatory")) @@ -1111,7 +1115,6 @@ class StockEntry(StockController): for d in backflushed_materials.get(item.item_code): if d.get(item.warehouse): if (qty > req_qty): - qty = req_qty qty-= d.get(item.warehouse) if qty > 0: @@ -1137,12 +1140,24 @@ class StockEntry(StockController): item_dict = self.get_pro_order_required_items(backflush_based_on) max_qty = flt(self.pro_doc.qty) + + allow_overproduction = False + overproduction_percentage = flt(frappe.db.get_single_value("Manufacturing Settings", + "overproduction_percentage_for_work_order")) + + to_transfer_qty = flt(self.pro_doc.material_transferred_for_manufacturing) + flt(self.fg_completed_qty) + transfer_limit_qty = max_qty + ((max_qty * overproduction_percentage) / 100) + + if transfer_limit_qty >= to_transfer_qty: + allow_overproduction = True + for item, item_details in iteritems(item_dict): pending_to_issue = flt(item_details.required_qty) - flt(item_details.transferred_qty) desire_to_transfer = flt(self.fg_completed_qty) * flt(item_details.required_qty) / max_qty - if (desire_to_transfer <= pending_to_issue or - (desire_to_transfer > 0 and backflush_based_on == "Material Transferred for Manufacture")): + if (desire_to_transfer <= pending_to_issue + or (desire_to_transfer > 0 and backflush_based_on == "Material Transferred for Manufacture") + or allow_overproduction): item_dict[item]["qty"] = desire_to_transfer elif pending_to_issue > 0: item_dict[item]["qty"] = pending_to_issue @@ -1370,7 +1385,7 @@ class StockEntry(StockController): if self.outgoing_stock_entry: parent_se = frappe.get_value("Stock Entry", self.outgoing_stock_entry, 'add_to_transit') - for item in self.items: + for item in self.items: material_request = item.material_request or None if self.purpose == "Material Transfer" and material_request not in material_requests: if self.outgoing_stock_entry and parent_se: @@ -1430,7 +1445,7 @@ def make_stock_in_entry(source_name, target_doc=None): if add_to_transit: warehouse = frappe.get_value('Material Request Item', source_doc.material_request_item, 'warehouse') target_doc.t_warehouse = warehouse - + target_doc.s_warehouse = source_doc.t_warehouse target_doc.qty = source_doc.qty - source_doc.transferred_qty From 903055b7b62e0f39ce096cb7f1a036a780325c7a Mon Sep 17 00:00:00 2001 From: Saqib Ansari Date: Tue, 20 Oct 2020 11:59:06 +0530 Subject: [PATCH 45/49] fix: '>' not supported between instances of 'str' and 'int' --- erpnext/controllers/stock_controller.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/controllers/stock_controller.py b/erpnext/controllers/stock_controller.py index 394883d239..f743d707f7 100644 --- a/erpnext/controllers/stock_controller.py +++ b/erpnext/controllers/stock_controller.py @@ -52,7 +52,7 @@ class StockController(AccountsController): frappe.throw(_("Row #{0}: Serial No {1} does not belong to Batch {2}") .format(d.idx, serial_no_data.name, d.batch_no)) - if d.qty > 0 and d.get("batch_no") and self.get("posting_date") and self.docstatus < 2: + if flt(d.qty) > 0.0 and d.get("batch_no") and self.get("posting_date") and self.docstatus < 2: expiry_date = frappe.get_cached_value("Batch", d.get("batch_no"), "expiry_date") if expiry_date and getdate(expiry_date) < getdate(self.posting_date): From 52514a30d725e1cad446537fa570eb4de03782ae Mon Sep 17 00:00:00 2001 From: Michelle Alva <50285544+michellealva@users.noreply.github.com> Date: Thu, 22 Oct 2020 09:52:34 +0530 Subject: [PATCH 46/49] feat: Add Integrations Settings in desk (#22857) Co-authored-by: Rucha Mahabal Co-authored-by: Marica Co-authored-by: Suraj Shetty <13928957+surajshetty3416@users.noreply.github.com> --- .../erpnext_integrations_settings.json | 30 +++++++++++++++++++ 1 file changed, 30 insertions(+) create mode 100644 erpnext/erpnext_integrations/desk_page/erpnext_integrations_settings/erpnext_integrations_settings.json diff --git a/erpnext/erpnext_integrations/desk_page/erpnext_integrations_settings/erpnext_integrations_settings.json b/erpnext/erpnext_integrations/desk_page/erpnext_integrations_settings/erpnext_integrations_settings.json new file mode 100644 index 0000000000..3bbc36ad94 --- /dev/null +++ b/erpnext/erpnext_integrations/desk_page/erpnext_integrations_settings/erpnext_integrations_settings.json @@ -0,0 +1,30 @@ +{ + "cards": [ + { + "hidden": 0, + "label": "Integrations Settings", + "links": "[\n\t{\n\t \"type\": \"doctype\",\n\t\t\"name\": \"Woocommerce Settings\"\n\t},\n\t{\n\t \"type\": \"doctype\",\n\t\t\"name\": \"Shopify Settings\",\n\t\t\"description\": \"Connect Shopify with ERPNext\"\n\t},\n\t{\n\t \"type\": \"doctype\",\n\t\t\"name\": \"Amazon MWS Settings\",\n\t\t\"description\": \"Connect Amazon with ERPNext\"\n\t},\n\t{\n\t\t\"type\": \"doctype\",\n\t\t\"name\": \"Plaid Settings\",\n\t\t\"description\": \"Connect your bank accounts to ERPNext\"\n\t},\n {\n\t\t\"type\": \"doctype\",\n\t\t\"name\": \"Exotel Settings\",\n\t\t\"description\": \"Connect your Exotel Account to ERPNext and track call logs\"\n }\n]" + } + ], + "category": "Modules", + "charts": [], + "creation": "2020-07-31 10:38:54.021237", + "developer_mode_only": 0, + "disable_user_customization": 0, + "docstatus": 0, + "doctype": "Desk Page", + "extends": "Settings", + "extends_another_page": 1, + "hide_custom": 0, + "idx": 0, + "is_standard": 1, + "label": "ERPNext Integrations Settings", + "modified": "2020-07-31 10:44:39.374297", + "modified_by": "Administrator", + "module": "ERPNext Integrations", + "name": "ERPNext Integrations Settings", + "owner": "Administrator", + "pin_to_bottom": 0, + "pin_to_top": 0, + "shortcuts": [] +} \ No newline at end of file From 6a0eb61af3281a979b2d3e3dd175a5337963ae4f Mon Sep 17 00:00:00 2001 From: Suraj Shetty <13928957+surajshetty3416@users.noreply.github.com> Date: Thu, 22 Oct 2020 14:05:58 +0530 Subject: [PATCH 47/49] fix: Set customer only if contact is present (#23704) --- erpnext/communication/doctype/call_log/call_log.py | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/communication/doctype/call_log/call_log.py b/erpnext/communication/doctype/call_log/call_log.py index b31b757a37..296473efe1 100644 --- a/erpnext/communication/doctype/call_log/call_log.py +++ b/erpnext/communication/doctype/call_log/call_log.py @@ -15,9 +15,9 @@ class CallLog(Document): number = strip_number(self.get('from')) self.contact = get_contact_with_phone_number(number) self.lead = get_lead_with_phone_number(number) - - contact = frappe.get_doc("Contact", self.contact) - self.customer = contact.get_link_for("Customer") + if self.contact: + contact = frappe.get_doc("Contact", self.contact) + self.customer = contact.get_link_for("Customer") def after_insert(self): self.trigger_call_popup() From a6ff6643863cca5e8f8e385946d044a282c27e34 Mon Sep 17 00:00:00 2001 From: Saqib Date: Thu, 22 Oct 2020 16:30:57 +0530 Subject: [PATCH 48/49] fix: cannot auto unlink payments for credit/debit notes (#23689) --- erpnext/controllers/accounts_controller.py | 2 -- 1 file changed, 2 deletions(-) diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index 166564961d..1818cb6102 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -605,8 +605,6 @@ class AccountsController(TransactionBase): from erpnext.accounts.utils import unlink_ref_doc_from_payment_entries if self.doctype in ["Sales Invoice", "Purchase Invoice"]: - if self.is_return: return - if frappe.db.get_single_value('Accounts Settings', 'unlink_payment_on_cancellation_of_invoice'): unlink_ref_doc_from_payment_entries(self) From 3b1be2b1ded0f300af5a2edb83ff85b3b98fac6d Mon Sep 17 00:00:00 2001 From: Marica Date: Thu, 22 Oct 2020 17:04:31 +0530 Subject: [PATCH 49/49] fix: Add Taxes if missing via Update Items (#23702) * fix: Add Taxes if missing via Update Items * chore: PO Test for adding tax row via Update Items * chore: SO Test for adding tax row via Update Items --- .../purchase_order/test_purchase_order.py | 50 ++++++++-- erpnext/controllers/accounts_controller.py | 27 ++++++ .../doctype/sales_order/test_sales_order.py | 93 ++++++++++++++++++- erpnext/stock/get_item_details.py | 5 + 4 files changed, 167 insertions(+), 8 deletions(-) diff --git a/erpnext/buying/doctype/purchase_order/test_purchase_order.py b/erpnext/buying/doctype/purchase_order/test_purchase_order.py index 7c8ae6cfb8..0cf3d24478 100644 --- a/erpnext/buying/doctype/purchase_order/test_purchase_order.py +++ b/erpnext/buying/doctype/purchase_order/test_purchase_order.py @@ -203,9 +203,39 @@ class TestPurchaseOrder(unittest.TestCase): frappe.set_user("Administrator") def test_update_child_with_tax_template(self): + """ + Test Action: Create a PO with one item having its tax account head already in the PO. + Add the same item + new item with tax template via Update Items. + Expected result: First Item's tax row is updated. New tax row is added for second Item. + """ + if not frappe.db.exists("Item", "Test Item with Tax"): + make_item("Test Item with Tax", { + 'is_stock_item': 1, + }) + + if not frappe.db.exists("Item Tax Template", {"title": 'Test Update Items Template'}): + frappe.get_doc({ + 'doctype': 'Item Tax Template', + 'title': 'Test Update Items Template', + 'company': '_Test Company', + 'taxes': [ + { + 'tax_type': "_Test Account Service Tax - _TC", + 'tax_rate': 10, + } + ] + }).insert() + + new_item_with_tax = frappe.get_doc("Item", "Test Item with Tax") + + new_item_with_tax.append("taxes", { + "item_tax_template": "Test Update Items Template", + "valid_from": nowdate() + }) + new_item_with_tax.save() + tax_template = "_Test Account Excise Duty @ 10" item = "_Test Item Home Desktop 100" - if not frappe.db.exists("Item Tax", {"parent":item, "item_tax_template":tax_template}): item_doc = frappe.get_doc("Item", item) item_doc.append("taxes", { @@ -237,17 +267,25 @@ class TestPurchaseOrder(unittest.TestCase): items = json.dumps([ {'item_code' : item, 'rate' : 500, 'qty' : 1, 'docname': po.items[0].name}, - {'item_code' : item, 'rate' : 100, 'qty' : 1} # added item + {'item_code' : item, 'rate' : 100, 'qty' : 1}, # added item whose tax account head already exists in PO + {'item_code' : new_item_with_tax.name, 'rate' : 100, 'qty' : 1} # added item whose tax account head is missing in PO ]) update_child_qty_rate('Purchase Order', items, po.name) po.reload() - self.assertEqual(po.taxes[0].tax_amount, 60) - self.assertEqual(po.taxes[0].total, 660) + self.assertEqual(po.taxes[0].tax_amount, 70) + self.assertEqual(po.taxes[0].total, 770) + self.assertEqual(po.taxes[1].account_head, "_Test Account Service Tax - _TC") + self.assertEqual(po.taxes[1].tax_amount, 70) + self.assertEqual(po.taxes[1].total, 840) + # teardown frappe.db.sql("""UPDATE `tabItem Tax` set valid_from = NULL - where parent = %(item)s and item_tax_template = %(tax)s""", - {"item": item, "tax": tax_template}) + where parent = %(item)s and item_tax_template = %(tax)s""", {"item": item, "tax": tax_template}) + po.cancel() + po.delete() + new_item_with_tax.delete() + frappe.get_doc("Item Tax Template", "Test Update Items Template").delete() def test_update_child_uom_conv_factor_change(self): po = create_purchase_order(item_code="_Test FG Item", is_subcontracted="Yes") diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index 1818cb6102..fc32977658 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -1168,6 +1168,31 @@ def set_child_tax_template_and_map(item, child_item, parent_doc): if child_item.get("item_tax_template"): child_item.item_tax_rate = get_item_tax_map(parent_doc.get('company'), child_item.item_tax_template, as_json=True) +def add_taxes_from_tax_template(child_item, parent_doc): + add_taxes_from_item_tax_template = frappe.db.get_single_value("Accounts Settings", "add_taxes_from_item_tax_template") + + if child_item.get("item_tax_rate") and add_taxes_from_item_tax_template: + tax_map = json.loads(child_item.get("item_tax_rate")) + for tax_type in tax_map: + tax_rate = flt(tax_map[tax_type]) + taxes = parent_doc.get('taxes') or [] + # add new row for tax head only if missing + found = any(tax.account_head == tax_type for tax in taxes) + if not found: + tax_row = parent_doc.append("taxes", {}) + tax_row.update({ + "description" : str(tax_type).split(' - ')[0], + "charge_type" : "On Net Total", + "account_head" : tax_type, + "rate" : tax_rate + }) + if parent_doc.doctype == "Purchase Order": + tax_row.update({ + "category" : "Total", + "add_deduct_tax" : "Add" + }) + tax_row.db_insert() + def set_sales_order_defaults(parent_doctype, parent_doctype_name, child_docname, trans_item): """ Returns a Sales Order Item child item containing the default values @@ -1183,6 +1208,7 @@ def set_sales_order_defaults(parent_doctype, parent_doctype_name, child_docname, conversion_factor = flt(get_conversion_factor(item.item_code, child_item.uom).get("conversion_factor")) child_item.conversion_factor = flt(trans_item.get('conversion_factor')) or conversion_factor set_child_tax_template_and_map(item, child_item, p_doc) + add_taxes_from_tax_template(child_item, p_doc) child_item.warehouse = get_item_warehouse(item, p_doc, overwrite_warehouse=True) if not child_item.warehouse: frappe.throw(_("Cannot find {} for item {}. Please set the same in Item Master or Stock Settings.") @@ -1207,6 +1233,7 @@ def set_purchase_order_defaults(parent_doctype, parent_doctype_name, child_docna child_item.base_rate = 1 # Initiallize value will update in parent validation child_item.base_amount = 1 # Initiallize value will update in parent validation set_child_tax_template_and_map(item, child_item, p_doc) + add_taxes_from_tax_template(child_item, p_doc) return child_item def validate_and_delete_children(parent, data): diff --git a/erpnext/selling/doctype/sales_order/test_sales_order.py b/erpnext/selling/doctype/sales_order/test_sales_order.py index 1ce36dd8bf..2f5f979bdf 100644 --- a/erpnext/selling/doctype/sales_order/test_sales_order.py +++ b/erpnext/selling/doctype/sales_order/test_sales_order.py @@ -403,7 +403,7 @@ class TestSalesOrder(unittest.TestCase): trans_item = json.dumps([{'item_code' : '_Test Item', 'rate' : 200, 'qty' : 2, 'docname': so.items[0].name}]) self.assertRaises(frappe.ValidationError, update_child_qty_rate,'Sales Order', trans_item, so.name) - + def test_update_child_with_precision(self): from frappe.model.meta import get_field_precision from frappe.custom.doctype.property_setter.property_setter import make_property_setter @@ -437,7 +437,7 @@ class TestSalesOrder(unittest.TestCase): self.assertRaises(frappe.ValidationError, update_child_qty_rate,'Sales Order', trans_item, so.name) test_user.remove_roles("Accounts User") frappe.set_user("Administrator") - + def test_update_child_qty_rate_with_workflow(self): from frappe.model.workflow import apply_workflow @@ -506,6 +506,95 @@ class TestSalesOrder(unittest.TestCase): so.reload() self.assertEqual(so.packed_items[0].qty, 8) + def test_update_child_with_tax_template(self): + """ + Test Action: Create a SO with one item having its tax account head already in the SO. + Add the same item + new item with tax template via Update Items. + Expected result: First Item's tax row is updated. New tax row is added for second Item. + """ + if not frappe.db.exists("Item", "Test Item with Tax"): + make_item("Test Item with Tax", { + 'is_stock_item': 1, + }) + + if not frappe.db.exists("Item Tax Template", {"title": 'Test Update Items Template'}): + frappe.get_doc({ + 'doctype': 'Item Tax Template', + 'title': 'Test Update Items Template', + 'company': '_Test Company', + 'taxes': [ + { + 'tax_type': "_Test Account Service Tax - _TC", + 'tax_rate': 10, + } + ] + }).insert() + + new_item_with_tax = frappe.get_doc("Item", "Test Item with Tax") + + new_item_with_tax.append("taxes", { + "item_tax_template": "Test Update Items Template", + "valid_from": nowdate() + }) + new_item_with_tax.save() + + tax_template = "_Test Account Excise Duty @ 10" + item = "_Test Item Home Desktop 100" + if not frappe.db.exists("Item Tax", {"parent":item, "item_tax_template":tax_template}): + item_doc = frappe.get_doc("Item", item) + item_doc.append("taxes", { + "item_tax_template": tax_template, + "valid_from": nowdate() + }) + item_doc.save() + else: + # update valid from + frappe.db.sql("""UPDATE `tabItem Tax` set valid_from = CURDATE() + where parent = %(item)s and item_tax_template = %(tax)s""", + {"item": item, "tax": tax_template}) + + so = make_sales_order(item_code=item, qty=1, do_not_save=1) + + so.append("taxes", { + "account_head": "_Test Account Excise Duty - _TC", + "charge_type": "On Net Total", + "cost_center": "_Test Cost Center - _TC", + "description": "Excise Duty", + "doctype": "Sales Taxes and Charges", + "rate": 10 + }) + so.insert() + so.submit() + + self.assertEqual(so.taxes[0].tax_amount, 10) + self.assertEqual(so.taxes[0].total, 110) + + old_stock_settings_value = frappe.db.get_single_value("Stock Settings", "default_warehouse") + frappe.db.set_value("Stock Settings", None, "default_warehouse", "_Test Warehouse - _TC") + + items = json.dumps([ + {'item_code' : item, 'rate' : 100, 'qty' : 1, 'docname': so.items[0].name}, + {'item_code' : item, 'rate' : 200, 'qty' : 1}, # added item whose tax account head already exists in PO + {'item_code' : new_item_with_tax.name, 'rate' : 100, 'qty' : 1} # added item whose tax account head is missing in PO + ]) + update_child_qty_rate('Sales Order', items, so.name) + + so.reload() + self.assertEqual(so.taxes[0].tax_amount, 40) + self.assertEqual(so.taxes[0].total, 440) + self.assertEqual(so.taxes[1].account_head, "_Test Account Service Tax - _TC") + self.assertEqual(so.taxes[1].tax_amount, 40) + self.assertEqual(so.taxes[1].total, 480) + + # teardown + frappe.db.sql("""UPDATE `tabItem Tax` set valid_from = NULL + where parent = %(item)s and item_tax_template = %(tax)s""", {"item": item, "tax": tax_template}) + so.cancel() + so.delete() + new_item_with_tax.delete() + frappe.get_doc("Item Tax Template", "Test Update Items Template").delete() + frappe.db.set_value("Stock Settings", None, "default_warehouse", old_stock_settings_value) + def test_warehouse_user(self): frappe.permissions.add_user_permission("Warehouse", "_Test Warehouse 1 - _TC", "test@example.com") frappe.permissions.add_user_permission("Warehouse", "_Test Warehouse 2 - _TC1", "test2@example.com") diff --git a/erpnext/stock/get_item_details.py b/erpnext/stock/get_item_details.py index 1a7c15ebca..8d8dcb74c3 100644 --- a/erpnext/stock/get_item_details.py +++ b/erpnext/stock/get_item_details.py @@ -398,6 +398,11 @@ def get_item_warehouse(item, args, overwrite_warehouse, defaults={}): else: warehouse = args.get('warehouse') + if not warehouse: + default_warehouse = frappe.db.get_single_value("Stock Settings", "default_warehouse") + if frappe.db.get_value("Warehouse", default_warehouse, "company") == args.company: + return default_warehouse + return warehouse def update_barcode_value(out):