From 6280609c25e7c93e47a20a1b21c57fc25fe79084 Mon Sep 17 00:00:00 2001 From: 0Pranav Date: Tue, 14 Jan 2020 15:11:35 +0530 Subject: [PATCH 01/46] enhancement: add territory wise sales report --- .../crm/doctype/opportunity/opportunity.json | 6 + .../report/territory_wise_sales/__init__.py | 0 .../territory_wise_sales.js | 16 ++ .../territory_wise_sales.json | 21 +++ .../territory_wise_sales.py | 137 ++++++++++++++++++ 5 files changed, 180 insertions(+) create mode 100644 erpnext/selling/report/territory_wise_sales/__init__.py create mode 100644 erpnext/selling/report/territory_wise_sales/territory_wise_sales.js create mode 100644 erpnext/selling/report/territory_wise_sales/territory_wise_sales.json create mode 100644 erpnext/selling/report/territory_wise_sales/territory_wise_sales.py diff --git a/erpnext/crm/doctype/opportunity/opportunity.json b/erpnext/crm/doctype/opportunity/opportunity.json index 66e3ca48dd..0e2068a0a5 100644 --- a/erpnext/crm/doctype/opportunity/opportunity.json +++ b/erpnext/crm/doctype/opportunity/opportunity.json @@ -22,6 +22,7 @@ "sales_stage", "order_lost_reason", "mins_to_first_response", + "expected_closing", "next_contact", "contact_by", "contact_date", @@ -156,6 +157,11 @@ "label": "Mins to first response", "read_only": 1 }, + { + "fieldname": "expected_closing", + "fieldtype": "Date", + "label": "Expected Closing Date" + }, { "collapsible": 1, "collapsible_depends_on": "contact_by", diff --git a/erpnext/selling/report/territory_wise_sales/__init__.py b/erpnext/selling/report/territory_wise_sales/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.js b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.js new file mode 100644 index 0000000000..12f5304813 --- /dev/null +++ b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.js @@ -0,0 +1,16 @@ +// Copyright (c) 2016, Frappe Technologies Pvt. Ltd. and contributors +// For license information, please see license.txt +/* eslint-disable */ + + +frappe.query_reports["Territory wise Sales"] = { + "breadcrumb":"Selling", + "filters": [ + { + fieldname:"expected_closing_date", + label: __("Expected Closing Date"), + fieldtype: "DateRange", + default: [frappe.datetime.add_months(frappe.datetime.get_today(),-1), frappe.datetime.get_today()] + } + ] +}; diff --git a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.json b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.json new file mode 100644 index 0000000000..88dfe8a129 --- /dev/null +++ b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.json @@ -0,0 +1,21 @@ +{ + "add_total_row": 0, + "creation": "2020-01-10 13:02:23.312515", + "disable_prepared_report": 0, + "disabled": 0, + "docstatus": 0, + "doctype": "Report", + "idx": 0, + "is_standard": "Yes", + "modified": "2020-01-14 14:50:33.863423", + "modified_by": "Administrator", + "module": "Selling", + "name": "Territory wise Sales", + "owner": "Administrator", + "prepared_report": 0, + "query": "", + "ref_doctype": "Opportunity", + "report_name": "Territory wise Sales", + "report_type": "Script Report", + "roles": [] +} \ No newline at end of file diff --git a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py new file mode 100644 index 0000000000..12582a6e95 --- /dev/null +++ b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py @@ -0,0 +1,137 @@ +# Copyright (c) 2013, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe +from erpnext import get_default_currency +from frappe import _ + +def execute(filters=None): + filters = frappe._dict(filters) + columns = get_columns() + data = get_data(filters) + return columns, data + + +def get_columns(): + currency = get_default_currency() + return [ + { + "label": _("Territory"), + "fieldname": "territory", + "fieldtype": "Link", + "options": "Territory" + }, + { + "label": _("Opportunity Amount"), + "fieldname": "opportunity_amount", + "fieldtype": "Currency", + "options": currency + }, + { + "label": _("Quotation Amount"), + "fieldname": "quotation_amount", + "fieldtype": "Currency", + "options": currency + }, + { + "label": _("Order Amount"), + "fieldname": "order_amount", + "fieldtype": "Currency", + "options": currency + }, + { + "label": _("Billing Amount"), + "fieldname": "billing_amount", + "fieldtype": "Currency", + "options": currency + } + ] + +def get_data(filters=None): + data = [] + + opportunities = get_opportunities(filters) + quotations = get_quotations(opportunities) + sales_orders = get_sales_orders(quotations) + sales_invoices = get_sales_invoice(sales_orders) + + for territory in frappe.get_all("Territory"): + territory_opportunities = list(filter(lambda x: x.territory == territory.name, opportunities)) if opportunities and opportunities else None + t_opportunity_names = [t.name for t in territory_opportunities] if territory_opportunities else None + + territory_quotations = list(filter(lambda x: x.opportunity in t_opportunity_names, quotations)) if t_opportunity_names and quotations else None + t_quotation_names = [t.name for t in territory_quotations] if territory_quotations else None + + territory_orders = list(filter(lambda x: x.quotation in t_quotation_names, sales_orders)) if t_quotation_names and sales_orders else None + t_order_names = [t.name for t in territory_orders] if territory_orders else None + + territory_invoices = list(filter(lambda x: x.sales_order in t_order_names, sales_invoices)) if t_order_names and sales_invoices else None + + territory_data = { + "territory": territory.name, + "opportunity_amount": _get_total(territory_opportunities, "opportunity_amount"), + "quotation_amount": _get_total(territory_quotations), + "order_amount": _get_total(territory_orders), + "billing_amount": _get_total(territory_invoices) + } + data.append(territory_data) + + return data + +def get_opportunities(filters): + conditions = "" + + if filters.from_date and filters.to_date: + conditions = " WHERE expected_closing between %(from_date)s and %(to_date)s" + + return frappe.db.sql(""" + SELECT name, territory, opportunity_amount + FROM `tabOpportunity` {0} + """.format(conditions), filters, as_dict=1) + +def get_quotations(opportunities): + if not opportunities: + return [] + + opportunity_names = [o.name for o in opportunities] + + return frappe.db.sql(""" + SELECT `name`,`base_grand_total`, `opportunity` + FROM `tabQuotation` + WHERE docstatus=1 AND opportunity in ({0}) + """.format(', '.join(["%s"]*len(opportunity_names))), tuple(opportunity_names), as_dict=1) + +def get_sales_orders(quotations): + if not quotations: + return [] + + quotation_names = [q.name for q in quotations] + + return frappe.db.sql(""" + SELECT so.`name`, so.`base_grand_total`, soi.prevdoc_docname as quotation + FROM `tabSales Order` so, `tabSales Order Item` soi + WHERE so.docstatus=1 AND so.name = soi.parent AND soi.prevdoc_docname in ({0}) + """.format(', '.join(["%s"]*len(quotation_names))), tuple(quotation_names), as_dict=1) + +def get_sales_invoice(sales_orders): + if not sales_orders: + return [] + + so_names = [so.name for so in sales_orders] + + return frappe.db.sql(""" + SELECT si.name, si.base_grand_total, sii.sales_order + FROM `tabSales Invoice` si, `tabSales Invoice Item` sii + WHERE si.docstatus=1 AND si.name = sii.parent AND sii.sales_order in ({0}) + """.format(', '.join(["%s"]*len(so_names))), tuple(so_names), as_dict=1) + +def _get_total(doclist, amount_field="base_grand_total"): + if not doclist: + return 0 + + total = 0 + for doc in doclist: + total = total + doc.get(amount_field, 0) + + return total From 372c5e51d5a8871972036a58985726ff3badb571 Mon Sep 17 00:00:00 2001 From: marination Date: Tue, 28 Jan 2020 16:04:49 +0530 Subject: [PATCH 02/46] fix: 'In Qty' and 'Out Qty' columns in Report Stock Ledger --- erpnext/stock/report/stock_ledger/stock_ledger.js | 3 +++ erpnext/stock/report/stock_ledger/stock_ledger.py | 7 +++++-- 2 files changed, 8 insertions(+), 2 deletions(-) diff --git a/erpnext/stock/report/stock_ledger/stock_ledger.js b/erpnext/stock/report/stock_ledger/stock_ledger.js index df3bba5e40..3d5cfdc274 100644 --- a/erpnext/stock/report/stock_ledger/stock_ledger.js +++ b/erpnext/stock/report/stock_ledger/stock_ledger.js @@ -83,6 +83,9 @@ frappe.query_reports["Stock Ledger"] = { if (column.fieldname == "out_qty" && data.out_qty < 0) { value = "" + value + ""; } + else if (column.fieldname == "in_qty" && data.in_qty > 0) { + value = "" + value + ""; + } return value; }, diff --git a/erpnext/stock/report/stock_ledger/stock_ledger.py b/erpnext/stock/report/stock_ledger/stock_ledger.py index fc49db5088..670a0e2fc8 100644 --- a/erpnext/stock/report/stock_ledger/stock_ledger.py +++ b/erpnext/stock/report/stock_ledger/stock_ledger.py @@ -39,10 +39,13 @@ def execute(filters=None): sle.update({ "qty_after_transaction": actual_qty, "stock_value": stock_value, - "in_qty": max(sle.actual_qty, 0), - "out_qty": min(sle.actual_qty, 0) }) + sle.update({ + "in_qty": max(sle.actual_qty, 0), + "out_qty": min(sle.actual_qty, 0) + }) + # get the name of the item that was produced using this item if sle.voucher_type == "Stock Entry": purpose, work_order, fg_completed_qty = frappe.db.get_value(sle.voucher_type, sle.voucher_no, ["purpose", "work_order", "fg_completed_qty"]) From 10ffaf4e89dadd1f64f475b4d827534375283acc Mon Sep 17 00:00:00 2001 From: Nicolas Simonnet Date: Tue, 28 Jan 2020 11:45:57 +0100 Subject: [PATCH 03/46] french translation correction --- erpnext/translations/fr.csv | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv index 5da1e77e4a..3764843fb1 100644 --- a/erpnext/translations/fr.csv +++ b/erpnext/translations/fr.csv @@ -5432,7 +5432,7 @@ DocType: Pricing Rule,Margin,Marge apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Nouveaux Clients apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Gross Profit %,Bénéfice Brut % apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Rendez-vous {0} et facture de vente {1} annulés -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,Opportunités par source de plomb +apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,Opportunités par source de prospect DocType: Appraisal Goal,Weightage (%),Poids (%) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Modifier le profil POS DocType: Bank Reconciliation Detail,Clearance Date,Date de Compensation From c1312700e892313dceb3433d1e72d3047ac3c8a0 Mon Sep 17 00:00:00 2001 From: Pranav Nachnekar Date: Tue, 28 Jan 2020 12:20:47 +0000 Subject: [PATCH 04/46] feat: create appoitnemnt against customer (#20457) --- .../crm/doctype/appointment/appointment.js | 9 +++++ .../crm/doctype/appointment/appointment.json | 25 +++++++++----- .../crm/doctype/appointment/appointment.py | 33 ++++++++++++++----- erpnext/www/book_appointment/index.js | 22 +++++++++++++ 4 files changed, 72 insertions(+), 17 deletions(-) diff --git a/erpnext/crm/doctype/appointment/appointment.js b/erpnext/crm/doctype/appointment/appointment.js index 8888b569c4..ca38121b1c 100644 --- a/erpnext/crm/doctype/appointment/appointment.js +++ b/erpnext/crm/doctype/appointment/appointment.js @@ -13,5 +13,14 @@ frappe.ui.form.on('Appointment', { frappe.set_route("Form", "Event", frm.doc.calendar_event); }); } + }, + onload: function(frm){ + frm.set_query("appointment_with", function(){ + return { + filters : { + "name": ["in", ["Customer", "Lead"]] + } + }; + }); } }); diff --git a/erpnext/crm/doctype/appointment/appointment.json b/erpnext/crm/doctype/appointment/appointment.json index 32df8ec429..8517ddec32 100644 --- a/erpnext/crm/doctype/appointment/appointment.json +++ b/erpnext/crm/doctype/appointment/appointment.json @@ -1,4 +1,5 @@ { + "actions": [], "autoname": "format:APMT-{customer_name}-{####}", "creation": "2019-08-27 10:48:27.926283", "doctype": "DocType", @@ -15,7 +16,8 @@ "col_br_2", "customer_details", "linked_docs_section", - "lead", + "appointment_with", + "party", "col_br_3", "calendar_event" ], @@ -61,12 +63,6 @@ "options": "Open\nUnverified\nClosed", "reqd": 1 }, - { - "fieldname": "lead", - "fieldtype": "Link", - "label": "Lead", - "options": "Lead" - }, { "fieldname": "calendar_event", "fieldtype": "Link", @@ -91,9 +87,22 @@ { "fieldname": "col_br_3", "fieldtype": "Column Break" + }, + { + "fieldname": "appointment_with", + "fieldtype": "Link", + "label": "Appointment With", + "options": "DocType" + }, + { + "fieldname": "party", + "fieldtype": "Dynamic Link", + "label": "Party", + "options": "appointment_with" } ], - "modified": "2019-10-14 15:23:54.630731", + "links": [], + "modified": "2020-01-28 16:16:45.447213", "modified_by": "Administrator", "module": "CRM", "name": "Appointment", diff --git a/erpnext/crm/doctype/appointment/appointment.py b/erpnext/crm/doctype/appointment/appointment.py index f50293043b..1988bb6169 100644 --- a/erpnext/crm/doctype/appointment/appointment.py +++ b/erpnext/crm/doctype/appointment/appointment.py @@ -24,6 +24,14 @@ class Appointment(Document): return lead_list[0].name return None + def find_customer_by_email(self): + customer_list = frappe.get_list( + 'Customer', filters={'email_id': self.customer_email}, ignore_permissions=True + ) + if customer_list: + return customer_list[0].name + return None + def before_insert(self): number_of_appointments_in_same_slot = frappe.db.count( 'Appointment', filters={'scheduled_time': self.scheduled_time}) @@ -32,11 +40,18 @@ class Appointment(Document): if (number_of_appointments_in_same_slot >= number_of_agents): frappe.throw('Time slot is not available') # Link lead - if not self.lead: - self.lead = self.find_lead_by_email() + if not self.party: + lead = self.find_lead_by_email() + customer = self.find_customer_by_email() + if customer: + self.appointment_with = "Customer" + self.party = customer + else: + self.appointment_with = "Lead" + self.party = lead def after_insert(self): - if self.lead: + if self.party: # Create Calendar event self.auto_assign() self.create_calendar_event() @@ -89,7 +104,7 @@ class Appointment(Document): def create_lead_and_link(self): # Return if already linked - if self.lead: + if self.party: return lead = frappe.get_doc({ 'doctype': 'Lead', @@ -100,7 +115,7 @@ class Appointment(Document): }) lead.insert(ignore_permissions=True) # Link lead - self.lead = lead.name + self.party = lead.name def auto_assign(self): from frappe.desk.form.assign_to import add as add_assignemnt @@ -129,14 +144,14 @@ class Appointment(Document): break def get_assignee_from_latest_opportunity(self): - if not self.lead: + if not self.party: return None - if not frappe.db.exists('Lead', self.lead): + if not frappe.db.exists('Lead', self.party): return None opporutnities = frappe.get_list( 'Opportunity', filters={ - 'party_name': self.lead, + 'party_name': self.party, }, ignore_permissions=True, order_by='creation desc') @@ -159,7 +174,7 @@ class Appointment(Document): 'status': 'Open', 'type': 'Public', 'send_reminder': frappe.db.get_single_value('Appointment Booking Settings', 'email_reminders'), - 'event_participants': [dict(reference_doctype='Lead', reference_docname=self.lead)] + 'event_participants': [dict(reference_doctype='Lead', reference_docname=self.party)] }) employee = _get_employee_from_user(self._assign) if employee: diff --git a/erpnext/www/book_appointment/index.js b/erpnext/www/book_appointment/index.js index 262e31b3e4..377a3cc097 100644 --- a/erpnext/www/book_appointment/index.js +++ b/erpnext/www/book_appointment/index.js @@ -181,10 +181,32 @@ function setup_details_page() { navigate_to_page(2) let date_container = document.getElementsByClassName('date-span')[0]; let time_container = document.getElementsByClassName('time-span')[0]; + setup_search_params(); date_container.innerHTML = moment(window.selected_date).format("MMM Do YYYY"); time_container.innerHTML = moment(window.selected_time, "HH:mm:ss").format("LT"); } +function setup_search_params() { + let search_params = new URLSearchParams(window.location.search); + let customer_name = search_params.get("name") + let customer_email = search_params.get("email") + let detail = search_params.get("details") + if (customer_name) { + let name_input = document.getElementById("customer_name"); + name_input.value = customer_name; + name_input.disabled = true; + } + if(customer_email) { + let email_input = document.getElementById("customer_email"); + email_input.value = customer_email; + email_input.disabled = true; + } + if(detail) { + let detail_input = document.getElementById("customer_notes"); + detail_input.value = detail; + detail_input.disabled = true; + } +} async function submit() { let button = document.getElementById('submit-button'); button.disabled = true; From d4c0184f3f9a8d6dffff4e38b925514b07eff82d Mon Sep 17 00:00:00 2001 From: 0Pranav Date: Wed, 29 Jan 2020 09:32:40 +0530 Subject: [PATCH 05/46] fix: missing plus button in request for quotaion for supplier quotation --- .../doctype/request_for_quotation/request_for_quotation.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) 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 2f0cfa64fc..455bd68ecf 100644 --- a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +++ b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js @@ -9,7 +9,7 @@ cur_frm.add_fetch('contact', 'email_id', 'email_id') frappe.ui.form.on("Request for Quotation",{ setup: function(frm) { frm.custom_make_buttons = { - 'Supplier Quotation': 'Supplier Quotation' + 'Supplier Quotation': 'Create' } frm.fields_dict["suppliers"].grid.get_field("contact").get_query = function(doc, cdt, cdn) { From b61b8d7ced11fb36cfa12c6b678da36ab3736240 Mon Sep 17 00:00:00 2001 From: Deepesh Garg <42651287+deepeshgarg007@users.noreply.github.com> Date: Wed, 29 Jan 2020 09:49:26 +0530 Subject: [PATCH 06/46] fix: Remove comma --- erpnext/stock/report/stock_ledger/stock_ledger.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/report/stock_ledger/stock_ledger.py b/erpnext/stock/report/stock_ledger/stock_ledger.py index 670a0e2fc8..28d72084de 100644 --- a/erpnext/stock/report/stock_ledger/stock_ledger.py +++ b/erpnext/stock/report/stock_ledger/stock_ledger.py @@ -38,7 +38,7 @@ def execute(filters=None): sle.update({ "qty_after_transaction": actual_qty, - "stock_value": stock_value, + "stock_value": stock_value }) sle.update({ From d64135b2d2bc5bb9020fe7ccdd2b784a5f9bcfd0 Mon Sep 17 00:00:00 2001 From: Pranav Nachnekar Date: Wed, 29 Jan 2020 07:31:25 +0000 Subject: [PATCH 07/46] fix: linking party in calendar event of appointment (#20458) --- erpnext/crm/doctype/appointment/appointment.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/crm/doctype/appointment/appointment.py b/erpnext/crm/doctype/appointment/appointment.py index 1988bb6169..63efeb3cb6 100644 --- a/erpnext/crm/doctype/appointment/appointment.py +++ b/erpnext/crm/doctype/appointment/appointment.py @@ -174,7 +174,7 @@ class Appointment(Document): 'status': 'Open', 'type': 'Public', 'send_reminder': frappe.db.get_single_value('Appointment Booking Settings', 'email_reminders'), - 'event_participants': [dict(reference_doctype='Lead', reference_docname=self.party)] + 'event_participants': [dict(reference_doctype=self.appointment_with, reference_docname=self.party)] }) employee = _get_employee_from_user(self._assign) if employee: From 48e9bc3fc9486e522c2f3ac491b8d3f019226dc7 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Wed, 29 Jan 2020 15:06:18 +0530 Subject: [PATCH 08/46] fix: Incorrect translation syntax --- erpnext/accounts/deferred_revenue.py | 2 +- .../doctype/bank_account/test_bank_account.py | 4 ++-- .../bank_statement_transaction_entry.py | 2 +- .../doctype/bank_transaction/bank_transaction.py | 2 +- erpnext/accounts/doctype/c_form/c_form.py | 2 +- .../doctype/journal_entry/journal_entry.py | 4 ++-- .../doctype/payment_entry/payment_entry.py | 2 +- .../doctype/payment_request/payment_request.py | 8 ++++---- .../doctype/pricing_rule/pricing_rule.py | 10 +++++----- .../doctype/purchase_invoice/purchase_invoice.py | 2 +- .../doctype/sales_invoice/sales_invoice.py | 8 ++++---- .../doctype/shipping_rule/shipping_rule.py | 2 +- .../doctype/subscription/subscription.py | 8 ++++---- erpnext/accounts/doctype/tax_rule/tax_rule.py | 2 +- erpnext/accounts/report/financial_statements.py | 4 ++-- .../report/general_ledger/general_ledger.py | 6 +++--- erpnext/accounts/utils.py | 4 ++-- .../agriculture/doctype/crop_cycle/crop_cycle.py | 2 +- erpnext/assets/doctype/asset/asset.py | 4 ++-- .../supplier_scorecard_period.py | 2 +- erpnext/controllers/accounts_controller.py | 6 +++--- erpnext/controllers/buying_controller.py | 8 ++++---- .../doctype/assessment_plan/assessment_plan.py | 2 +- .../assessment_result/assessment_result.py | 2 +- .../doctype/course_activity/course_activity.py | 2 +- .../doctype/grading_scale/grading_scale.py | 2 +- erpnext/education/doctype/question/question.py | 2 +- .../doctype/student_group/student_group.py | 16 ++++++++-------- .../student_group_creation_tool.py | 2 +- erpnext/education/utils.py | 6 +++--- .../connectors/shopify_connection.py | 2 +- .../doctype/plaid_settings/plaid_settings.py | 2 +- .../patient_appointment/patient_appointment.py | 12 ++++++------ .../employee_benefit_claim.py | 2 +- erpnext/hr/doctype/salary_slip/salary_slip.py | 12 ++++++------ .../hr/doctype/staffing_plan/staffing_plan.py | 4 ++-- .../maintenance_schedule/maintenance_schedule.py | 8 ++++---- .../manufacturing/doctype/job_card/job_card.py | 10 +++++----- .../doctype/production_plan/production_plan.py | 2 +- .../doctype/work_order/work_order.py | 2 +- erpnext/projects/doctype/project/project.py | 2 +- .../quality_procedure/quality_procedure.py | 2 +- erpnext/regional/__init__.py | 2 +- .../doctype/gstr_3b_report/gstr_3b_report.py | 4 ++-- erpnext/regional/italy/utils.py | 8 ++++---- .../pos_closing_voucher/pos_closing_voucher.py | 4 ++-- .../item_group_wise_sales_target_variance.py | 6 +++--- erpnext/setup/doctype/company/test_company.py | 4 ++-- erpnext/setup/utils.py | 2 +- erpnext/shopping_cart/cart.py | 2 +- .../stock/doctype/delivery_trip/delivery_trip.py | 2 +- erpnext/stock/doctype/item/item.py | 2 +- .../doctype/item_alternative/item_alternative.py | 2 +- .../doctype/material_request/material_request.py | 2 +- erpnext/support/doctype/issue/issue.py | 6 +++--- .../doctype/service_level/service_level.py | 8 ++++---- .../pages/integrations/gocardless_checkout.py | 2 +- erpnext/utilities/bot.py | 2 +- erpnext/www/lms/program.py | 2 +- 59 files changed, 124 insertions(+), 124 deletions(-) diff --git a/erpnext/accounts/deferred_revenue.py b/erpnext/accounts/deferred_revenue.py index 62a8f05c65..3b6a5881ca 100644 --- a/erpnext/accounts/deferred_revenue.py +++ b/erpnext/accounts/deferred_revenue.py @@ -30,7 +30,7 @@ def validate_service_stop_date(doc): frappe.throw(_("Service Stop Date cannot be after Service End Date")) if old_stop_dates and old_stop_dates.get(item.name) and item.service_stop_date!=old_stop_dates.get(item.name): - frappe.throw(_("Cannot change Service Stop Date for item in row {0}".format(item.idx))) + frappe.throw(_("Cannot change Service Stop Date for item in row {0}").format(item.idx)) def convert_deferred_expense_to_expense(start_date=None, end_date=None): # book the expense/income on the last day, but it will be trigger on the 1st of month at 12:00 AM diff --git a/erpnext/accounts/doctype/bank_account/test_bank_account.py b/erpnext/accounts/doctype/bank_account/test_bank_account.py index f3bb086fa9..26e93c5188 100644 --- a/erpnext/accounts/doctype/bank_account/test_bank_account.py +++ b/erpnext/accounts/doctype/bank_account/test_bank_account.py @@ -39,11 +39,11 @@ class TestBankAccount(unittest.TestCase): try: bank_account.validate_iban() except ValidationError: - msg = _('BankAccount.validate_iban() failed for valid IBAN {}'.format(iban)) + msg = _('BankAccount.validate_iban() failed for valid IBAN {}').format(iban) self.fail(msg=msg) for not_iban in invalid_ibans: bank_account.iban = not_iban - msg = _('BankAccount.validate_iban() accepted invalid IBAN {}'.format(not_iban)) + msg = _('BankAccount.validate_iban() accepted invalid IBAN {}').format(not_iban) with self.assertRaises(ValidationError, msg=msg): bank_account.validate_iban() diff --git a/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py b/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py index 1318cf18d7..5b6eb9dc24 100644 --- a/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +++ b/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py @@ -314,7 +314,7 @@ class BankStatementTransactionEntry(Document): try: reconcile_against_document(lst) except: - frappe.throw(_("Exception occurred while reconciling {0}".format(payment.reference_name))) + frappe.throw(_("Exception occurred while reconciling {0}").format(payment.reference_name)) def submit_payment_entries(self): for payment in self.new_transaction_items: diff --git a/erpnext/accounts/doctype/bank_transaction/bank_transaction.py b/erpnext/accounts/doctype/bank_transaction/bank_transaction.py index b8ebebaa93..0e45db3dbc 100644 --- a/erpnext/accounts/doctype/bank_transaction/bank_transaction.py +++ b/erpnext/accounts/doctype/bank_transaction/bank_transaction.py @@ -49,7 +49,7 @@ class BankTransaction(StatusUpdater): if paid_amount and allocated_amount: if flt(allocated_amount[0]["allocated_amount"]) > flt(paid_amount): - frappe.throw(_("The total allocated amount ({0}) is greated than the paid amount ({1}).".format(flt(allocated_amount[0]["allocated_amount"]), flt(paid_amount)))) + frappe.throw(_("The total allocated amount ({0}) is greated than the paid amount ({1}).").format(flt(allocated_amount[0]["allocated_amount"]), flt(paid_amount))) else: if payment_entry.payment_document in ["Payment Entry", "Journal Entry", "Purchase Invoice", "Expense Claim"]: self.clear_simple_entry(payment_entry) diff --git a/erpnext/accounts/doctype/c_form/c_form.py b/erpnext/accounts/doctype/c_form/c_form.py index 2dcf958556..9b64f8100f 100644 --- a/erpnext/accounts/doctype/c_form/c_form.py +++ b/erpnext/accounts/doctype/c_form/c_form.py @@ -18,7 +18,7 @@ class CForm(Document): `tabSales Invoice` where name = %s and docstatus = 1""", d.invoice_no) if inv and inv[0][0] != 'Yes': - frappe.throw(_("C-form is not applicable for Invoice: {0}".format(d.invoice_no))) + frappe.throw(_("C-form is not applicable for Invoice: {0}").format(d.invoice_no)) elif inv and inv[0][1] and inv[0][1] != self.name: frappe.throw(_("""Invoice {0} is tagged in another C-form: {1}. diff --git a/erpnext/accounts/doctype/journal_entry/journal_entry.py b/erpnext/accounts/doctype/journal_entry/journal_entry.py index 88973373ed..458e4a2526 100644 --- a/erpnext/accounts/doctype/journal_entry/journal_entry.py +++ b/erpnext/accounts/doctype/journal_entry/journal_entry.py @@ -616,7 +616,7 @@ class JournalEntry(AccountsController): d.reference_name, ("total_sanctioned_amount", "total_amount_reimbursed")) pending_amount = flt(sanctioned_amount) - flt(reimbursed_amount) if d.debit > pending_amount: - frappe.throw(_("Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2}".format(d.idx, d.reference_name, pending_amount))) + frappe.throw(_("Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2}").format(d.idx, d.reference_name, pending_amount)) def validate_credit_debit_note(self): if self.stock_entry: @@ -624,7 +624,7 @@ class JournalEntry(AccountsController): frappe.throw(_("Stock Entry {0} is not submitted").format(self.stock_entry)) if frappe.db.exists({"doctype": "Journal Entry", "stock_entry": self.stock_entry, "docstatus":1}): - frappe.msgprint(_("Warning: Another {0} # {1} exists against stock entry {2}".format(self.voucher_type, self.name, self.stock_entry))) + frappe.msgprint(_("Warning: Another {0} # {1} exists against stock entry {2}").format(self.voucher_type, self.name, self.stock_entry)) def validate_empty_accounts_table(self): if not self.get('accounts'): diff --git a/erpnext/accounts/doctype/payment_entry/payment_entry.py b/erpnext/accounts/doctype/payment_entry/payment_entry.py index 214d608866..e36e23add8 100644 --- a/erpnext/accounts/doctype/payment_entry/payment_entry.py +++ b/erpnext/accounts/doctype/payment_entry/payment_entry.py @@ -1003,7 +1003,7 @@ def get_payment_entry(dt, dn, party_amount=None, bank_account=None, bank_amount= # only Purchase Invoice can be blocked individually if doc.doctype == "Purchase Invoice" and doc.invoice_is_blocked(): - frappe.msgprint(_('{0} is on hold till {1}'.format(doc.name, doc.release_date))) + frappe.msgprint(_('{0} is on hold till {1}').format(doc.name, doc.release_date)) else: pe.append("references", { 'reference_doctype': dt, diff --git a/erpnext/accounts/doctype/payment_request/payment_request.py b/erpnext/accounts/doctype/payment_request/payment_request.py index 1aff43c717..0fade8c456 100644 --- a/erpnext/accounts/doctype/payment_request/payment_request.py +++ b/erpnext/accounts/doctype/payment_request/payment_request.py @@ -39,8 +39,8 @@ class PaymentRequest(Document): ref_amount = get_amount(ref_doc) if existing_payment_request_amount + flt(self.grand_total)> ref_amount: - frappe.throw(_("Total Payment Request amount cannot be greater than {0} amount" - .format(self.reference_doctype))) + frappe.throw(_("Total Payment Request amount cannot be greater than {0} amount") + .format(self.reference_doctype)) def validate_currency(self): ref_doc = frappe.get_doc(self.reference_doctype, self.reference_name) @@ -53,14 +53,14 @@ class PaymentRequest(Document): for subscription_plan in self.subscription_plans: payment_gateway = frappe.db.get_value("Subscription Plan", subscription_plan.plan, "payment_gateway") if payment_gateway != self.payment_gateway_account: - frappe.throw(_('The payment gateway account in plan {0} is different from the payment gateway account in this payment request'.format(subscription_plan.name))) + frappe.throw(_('The payment gateway account in plan {0} is different from the payment gateway account in this payment request').format(subscription_plan.name)) rate = get_plan_rate(subscription_plan.plan, quantity=subscription_plan.qty) amount += rate if amount != self.grand_total: - frappe.msgprint(_("The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.".format(self.grand_total, amount))) + frappe.msgprint(_("The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.").format(self.grand_total, amount)) def on_submit(self): if self.payment_request_type == 'Outward': diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 3c14819e6f..924e108130 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -56,12 +56,12 @@ class PricingRule(Document): if not self.selling and self.applicable_for in ["Customer", "Customer Group", "Territory", "Sales Partner", "Campaign"]: - throw(_("Selling must be checked, if Applicable For is selected as {0}" - .format(self.applicable_for))) + throw(_("Selling must be checked, if Applicable For is selected as {0}") + .format(self.applicable_for)) if not self.buying and self.applicable_for in ["Supplier", "Supplier Group"]: - throw(_("Buying must be checked, if Applicable For is selected as {0}" - .format(self.applicable_for))) + throw(_("Buying must be checked, if Applicable For is selected as {0}") + .format(self.applicable_for)) def validate_min_max_qty(self): if self.min_qty and self.max_qty and flt(self.min_qty) > flt(self.max_qty): @@ -243,7 +243,7 @@ def get_pricing_rule_for_item(args, price_list_rate=0, doc=None, for_validate=Fa if pricing_rule.coupon_code_based==1 and args.coupon_code==None: return item_details - + if not pricing_rule.validate_applied_rule: if pricing_rule.price_or_product_discount == "Price": apply_price_discount_rule(pricing_rule, item_details, args) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py index 1a14a2a732..64caf98778 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py @@ -907,7 +907,7 @@ class PurchaseInvoice(BuyingController): if pi: pi = pi[0][0] - frappe.throw(_("Supplier Invoice No exists in Purchase Invoice {0}".format(pi))) + frappe.throw(_("Supplier Invoice No exists in Purchase Invoice {0}").format(pi)) def update_billing_status_in_pr(self, update_modified=True): updated_pr = [] diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 703df796c0..73e0762ef0 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -225,7 +225,7 @@ class SalesInvoice(SellingController): total_amount_in_payments += payment.amount invoice_total = self.rounded_total or self.grand_total if total_amount_in_payments < invoice_total: - frappe.throw(_("Total payments amount can't be greater than {}".format(-invoice_total))) + frappe.throw(_("Total payments amount can't be greater than {}").format(-invoice_total)) def validate_pos_paid_amount(self): if len(self.payments) == 0 and self.is_pos: @@ -1041,7 +1041,7 @@ class SalesInvoice(SellingController): si_serial_nos = set(get_serial_nos(serial_nos)) if si_serial_nos - dn_serial_nos: - frappe.throw(_("Serial Numbers in row {0} does not match with Delivery Note".format(item.idx))) + frappe.throw(_("Serial Numbers in row {0} does not match with Delivery Note").format(item.idx)) if item.serial_no and cint(item.qty) != len(si_serial_nos): frappe.throw(_("Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.".format( @@ -1064,8 +1064,8 @@ class SalesInvoice(SellingController): and self.name != serial_no_details.sales_invoice: sales_invoice_company = frappe.db.get_value("Sales Invoice", serial_no_details.sales_invoice, "company") if sales_invoice_company == self.company: - frappe.throw(_("Serial Number: {0} is already referenced in Sales Invoice: {1}" - .format(serial_no, serial_no_details.sales_invoice))) + frappe.throw(_("Serial Number: {0} is already referenced in Sales Invoice: {1}") + .format(serial_no, serial_no_details.sales_invoice)) def update_project(self): if self.project: diff --git a/erpnext/accounts/doctype/shipping_rule/shipping_rule.py b/erpnext/accounts/doctype/shipping_rule/shipping_rule.py index 8c4efbebe8..1fd340c731 100644 --- a/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +++ b/erpnext/accounts/doctype/shipping_rule/shipping_rule.py @@ -82,7 +82,7 @@ class ShippingRule(Document): if not shipping_country: frappe.throw(_('Shipping Address does not have country, which is required for this Shipping Rule')) if shipping_country not in [d.country for d in self.countries]: - frappe.throw(_('Shipping rule not applicable for country {0}'.format(shipping_country))) + frappe.throw(_('Shipping rule not applicable for country {0}').format(shipping_country)) def add_shipping_rule_to_tax_table(self, doc, shipping_amount): shipping_charge = { diff --git a/erpnext/accounts/doctype/subscription/subscription.py b/erpnext/accounts/doctype/subscription/subscription.py index 5482750375..af096fe907 100644 --- a/erpnext/accounts/doctype/subscription/subscription.py +++ b/erpnext/accounts/doctype/subscription/subscription.py @@ -195,7 +195,7 @@ class Subscription(Document): doc = frappe.get_doc('Sales Invoice', current.invoice) return doc else: - frappe.throw(_('Invoice {0} no longer exists'.format(current.invoice))) + frappe.throw(_('Invoice {0} no longer exists').format(current.invoice)) def is_new_subscription(self): """ @@ -338,7 +338,7 @@ class Subscription(Document): # Check invoice dates and make sure it doesn't have outstanding invoices return getdate(nowdate()) >= getdate(self.current_invoice_start) and not self.has_outstanding_invoice() - + def is_current_invoice_paid(self): if self.is_new_subscription(): return False @@ -346,7 +346,7 @@ class Subscription(Document): last_invoice = frappe.get_doc('Sales Invoice', self.invoices[-1].invoice) if getdate(last_invoice.posting_date) == getdate(self.current_invoice_start) and last_invoice.status == 'Paid': return True - + return False def process_for_active(self): @@ -388,7 +388,7 @@ class Subscription(Document): """ current_invoice = self.get_current_invoice() if not current_invoice: - frappe.throw(_('Current invoice {0} is missing'.format(current_invoice.invoice))) + frappe.throw(_('Current invoice {0} is missing').format(current_invoice.invoice)) else: if self.is_not_outstanding(current_invoice): self.status = 'Active' diff --git a/erpnext/accounts/doctype/tax_rule/tax_rule.py b/erpnext/accounts/doctype/tax_rule/tax_rule.py index ff87ba36b4..e4ebc6d12f 100644 --- a/erpnext/accounts/doctype/tax_rule/tax_rule.py +++ b/erpnext/accounts/doctype/tax_rule/tax_rule.py @@ -95,7 +95,7 @@ class TaxRule(Document): if tax_rule: if tax_rule[0].priority == self.priority: - frappe.throw(_("Tax Rule Conflicts with {0}".format(tax_rule[0].name)), ConflictingTaxRule) + frappe.throw(_("Tax Rule Conflicts with {0}").format(tax_rule[0].name), ConflictingTaxRule) def validate_use_for_shopping_cart(self): '''If shopping cart is enabled and no tax rule exists for shopping cart, enable this one''' diff --git a/erpnext/accounts/report/financial_statements.py b/erpnext/accounts/report/financial_statements.py index 40d5682726..5a91805d5d 100644 --- a/erpnext/accounts/report/financial_statements.py +++ b/erpnext/accounts/report/financial_statements.py @@ -175,7 +175,7 @@ def calculate_values( d = accounts_by_name.get(entry.account) if not d: frappe.msgprint( - _("Could not retrieve information for {0}.".format(entry.account)), title="Error", + _("Could not retrieve information for {0}.").format(entry.account), title="Error", raise_exception=1 ) for period in period_list: @@ -430,7 +430,7 @@ def get_cost_centers_with_children(cost_centers): children = frappe.get_all("Cost Center", filters={"lft": [">=", lft], "rgt": ["<=", rgt]}) all_cost_centers += [c.name for c in children] else: - frappe.throw(_("Cost Center: {0} does not exist".format(d))) + frappe.throw(_("Cost Center: {0} does not exist").format(d)) return list(set(all_cost_centers)) diff --git a/erpnext/accounts/report/general_ledger/general_ledger.py b/erpnext/accounts/report/general_ledger/general_ledger.py index ec3fb1fc9c..08c1b38928 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.py +++ b/erpnext/accounts/report/general_ledger/general_ledger.py @@ -373,19 +373,19 @@ def get_columns(filters): "width": 180 }, { - "label": _("Debit ({0})".format(currency)), + "label": _("Debit ({0})").format(currency), "fieldname": "debit", "fieldtype": "Float", "width": 100 }, { - "label": _("Credit ({0})".format(currency)), + "label": _("Credit ({0})").format(currency), "fieldname": "credit", "fieldtype": "Float", "width": 100 }, { - "label": _("Balance ({0})".format(currency)), + "label": _("Balance ({0})").format(currency), "fieldname": "balance", "fieldtype": "Float", "width": 130 diff --git a/erpnext/accounts/utils.py b/erpnext/accounts/utils.py index e01d6d5dc7..039ec1f7f7 100644 --- a/erpnext/accounts/utils.py +++ b/erpnext/accounts/utils.py @@ -513,7 +513,7 @@ def remove_ref_doc_link_from_jv(ref_type, ref_no): where reference_type=%s and reference_name=%s and docstatus < 2""", (now(), frappe.session.user, ref_type, ref_no)) - frappe.msgprint(_("Journal Entries {0} are un-linked".format("\n".join(linked_jv)))) + frappe.msgprint(_("Journal Entries {0} are un-linked").format("\n".join(linked_jv))) def remove_ref_doc_link_from_pe(ref_type, ref_no): linked_pe = frappe.db.sql_list("""select parent from `tabPayment Entry Reference` @@ -536,7 +536,7 @@ def remove_ref_doc_link_from_pe(ref_type, ref_no): where name=%s""", (pe_doc.total_allocated_amount, pe_doc.base_total_allocated_amount, pe_doc.unallocated_amount, now(), frappe.session.user, pe)) - frappe.msgprint(_("Payment Entries {0} are un-linked".format("\n".join(linked_pe)))) + frappe.msgprint(_("Payment Entries {0} are un-linked").format("\n".join(linked_pe))) @frappe.whitelist() def get_company_default(company, fieldname): diff --git a/erpnext/agriculture/doctype/crop_cycle/crop_cycle.py b/erpnext/agriculture/doctype/crop_cycle/crop_cycle.py index 3e51933df7..cae150c428 100644 --- a/erpnext/agriculture/doctype/crop_cycle/crop_cycle.py +++ b/erpnext/agriculture/doctype/crop_cycle/crop_cycle.py @@ -44,7 +44,7 @@ class CropCycle(Document): self.import_disease_tasks(disease.disease, disease.start_date) disease.tasks_created = True - frappe.msgprint(_("Tasks have been created for managing the {0} disease (on row {1})".format(disease.disease, disease.idx))) + frappe.msgprint(_("Tasks have been created for managing the {0} disease (on row {1})").format(disease.disease, disease.idx)) def import_disease_tasks(self, disease, start_date): disease_doc = frappe.get_doc('Disease', disease) diff --git a/erpnext/assets/doctype/asset/asset.py b/erpnext/assets/doctype/asset/asset.py index 86b5a11a1d..a774daad22 100644 --- a/erpnext/assets/doctype/asset/asset.py +++ b/erpnext/assets/doctype/asset/asset.py @@ -589,7 +589,7 @@ def transfer_asset(args): frappe.db.commit() - frappe.msgprint(_("Asset Movement record {0} created").format("{0}".format(movement_entry.name))) + frappe.msgprint(_("Asset Movement record {0} created").format("{0}").format(movement_entry.name)) @frappe.whitelist() def get_item_details(item_code, asset_category): @@ -611,7 +611,7 @@ def get_asset_account(account_name, asset=None, asset_category=None, company=Non if asset: account = get_asset_category_account(account_name, asset=asset, asset_category = asset_category, company = company) - + if not asset and not account: account = get_asset_category_account(account_name, asset_category = asset_category, company = company) diff --git a/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py b/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py index 737ddd6ddd..87f10336f4 100644 --- a/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +++ b/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py @@ -43,7 +43,7 @@ class SupplierScorecardPeriod(Document): try: crit.score = min(crit.max_score, max( 0 ,frappe.safe_eval(self.get_eval_statement(crit.formula), None, {'max':max, 'min': min}))) except Exception: - frappe.throw(_("Could not solve criteria score function for {0}. Make sure the formula is valid.".format(crit.criteria_name)),frappe.ValidationError) + frappe.throw(_("Could not solve criteria score function for {0}. Make sure the formula is valid.").format(crit.criteria_name),frappe.ValidationError) crit.score = 0 def calculate_score(self): diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index 7faf792d20..56a09c356d 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -58,7 +58,7 @@ class AccountsController(TransactionBase): (is_supplier_payment and supplier.hold_type in ['All', 'Payments']): if not supplier.release_date or getdate(nowdate()) <= supplier.release_date: frappe.msgprint( - _('{0} is blocked so this transaction cannot proceed'.format(supplier_name)), raise_exception=1) + _('{0} is blocked so this transaction cannot proceed').format(supplier_name), raise_exception=1) def validate(self): if not self.get('is_return'): @@ -926,7 +926,7 @@ def validate_taxes_and_charges(tax): frappe.throw( _("Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row")) elif not tax.row_id: - frappe.throw(_("Please specify a valid Row ID for row {0} in table {1}".format(tax.idx, _(tax.doctype)))) + frappe.throw(_("Please specify a valid Row ID for row {0} in table {1}").format(tax.idx, _(tax.doctype))) elif tax.row_id and cint(tax.row_id) >= cint(tax.idx): frappe.throw(_("Cannot refer row number greater than or equal to current row number for this Charge type")) @@ -1173,7 +1173,7 @@ def check_and_delete_children(parent, data): if parent.doctype == "Purchase Order" and flt(d.received_qty): frappe.throw(_("Row #{0}: Cannot delete item {1} which has already been received").format(d.idx, d.item_code)) - + if flt(d.billed_amt): frappe.throw(_("Row #{0}: Cannot delete item {1} which has already been billed.").format(d.idx, d.item_code)) diff --git a/erpnext/controllers/buying_controller.py b/erpnext/controllers/buying_controller.py index 75b896bb13..df583efcb9 100644 --- a/erpnext/controllers/buying_controller.py +++ b/erpnext/controllers/buying_controller.py @@ -168,7 +168,7 @@ class BuyingController(StockController): if item.item_code and item.qty and item.item_code in stock_and_asset_items: item_proportion = flt(item.base_net_amount) / stock_and_asset_items_amount if stock_and_asset_items_amount \ else flt(item.qty) / stock_and_asset_items_qty - + if i == (last_item_idx - 1): item.item_tax_amount = flt(valuation_amount_adjustment, self.precision("item_tax_amount", item)) @@ -699,7 +699,7 @@ class BuyingController(StockController): if delete_asset and is_auto_create_enabled: # need to delete movements to delete assets otherwise throws link exists error movements = frappe.db.sql( - """SELECT asm.name + """SELECT asm.name FROM `tabAsset Movement` asm, `tabAsset Movement Item` asm_item WHERE asm_item.parent=asm.name and asm_item.asset=%s""", asset.name, as_dict=1) for movement in movements: @@ -872,9 +872,9 @@ def validate_item_type(doc, fieldname, message): items = ", ".join([d for d in invalid_items]) if len(invalid_items) > 1: - error_message = _("Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master".format(items, message)) + error_message = _("Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master").format(items, message) else: - error_message = _("Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master".format(items, message)) + error_message = _("Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master").format(items, message) frappe.throw(error_message) diff --git a/erpnext/education/doctype/assessment_plan/assessment_plan.py b/erpnext/education/doctype/assessment_plan/assessment_plan.py index c9576760ea..16136c19f7 100644 --- a/erpnext/education/doctype/assessment_plan/assessment_plan.py +++ b/erpnext/education/doctype/assessment_plan/assessment_plan.py @@ -37,7 +37,7 @@ class AssessmentPlan(Document): for d in self.assessment_criteria: max_score += d.maximum_score if self.maximum_assessment_score != max_score: - frappe.throw(_("Sum of Scores of Assessment Criteria needs to be {0}.".format(self.maximum_assessment_score))) + frappe.throw(_("Sum of Scores of Assessment Criteria needs to be {0}.").format(self.maximum_assessment_score)) def validate_assessment_criteria(self): assessment_criteria_list = frappe.db.sql_list(''' select apc.assessment_criteria diff --git a/erpnext/education/doctype/assessment_result/assessment_result.py b/erpnext/education/doctype/assessment_result/assessment_result.py index 08ae4c6f0a..6b873ecf97 100644 --- a/erpnext/education/doctype/assessment_result/assessment_result.py +++ b/erpnext/education/doctype/assessment_result/assessment_result.py @@ -41,7 +41,7 @@ class AssessmentResult(Document): assessment_result = frappe.get_list("Assessment Result", filters={"name": ("not in", [self.name]), "student":self.student, "assessment_plan":self.assessment_plan, "docstatus":("!=", 2)}) if assessment_result: - frappe.throw(_("Assessment Result record {0} already exists.".format(getlink("Assessment Result",assessment_result[0].name)))) + frappe.throw(_("Assessment Result record {0} already exists.").format(getlink("Assessment Result",assessment_result[0].name))) diff --git a/erpnext/education/doctype/course_activity/course_activity.py b/erpnext/education/doctype/course_activity/course_activity.py index 054b192097..e7fc08a1d7 100644 --- a/erpnext/education/doctype/course_activity/course_activity.py +++ b/erpnext/education/doctype/course_activity/course_activity.py @@ -16,4 +16,4 @@ class CourseActivity(Document): if frappe.db.exists("Course Enrollment", self.enrollment): return True else: - frappe.throw(_("Course Enrollment {0} does not exists".format(self.enrollment))) \ No newline at end of file + frappe.throw(_("Course Enrollment {0} does not exists").format(self.enrollment)) \ No newline at end of file diff --git a/erpnext/education/doctype/grading_scale/grading_scale.py b/erpnext/education/doctype/grading_scale/grading_scale.py index e981f9f587..6309d02c15 100644 --- a/erpnext/education/doctype/grading_scale/grading_scale.py +++ b/erpnext/education/doctype/grading_scale/grading_scale.py @@ -13,7 +13,7 @@ class GradingScale(Document): thresholds = [] for d in self.intervals: if d.threshold in thresholds: - frappe.throw(_("Treshold {0}% appears more than once".format(d.threshold))) + frappe.throw(_("Treshold {0}% appears more than once").format(d.threshold)) else: thresholds.append(cint(d.threshold)) if 0 not in thresholds: diff --git a/erpnext/education/doctype/question/question.py b/erpnext/education/doctype/question/question.py index 9a973c7615..a7deeab6f6 100644 --- a/erpnext/education/doctype/question/question.py +++ b/erpnext/education/doctype/question/question.py @@ -38,7 +38,7 @@ class Question(Document): options = self.options answers = [item.name for item in options if item.is_correct == True] if len(answers) == 0: - frappe.throw(_("No correct answer is set for {0}".format(self.name))) + frappe.throw(_("No correct answer is set for {0}").format(self.name)) return None elif len(answers) == 1: return answers[0] diff --git a/erpnext/education/doctype/student_group/student_group.py b/erpnext/education/doctype/student_group/student_group.py index aba1b5ff5f..aa542ddfbf 100644 --- a/erpnext/education/doctype/student_group/student_group.py +++ b/erpnext/education/doctype/student_group/student_group.py @@ -34,15 +34,15 @@ class StudentGroup(Document): students = [d.student for d in program_enrollment] if program_enrollment else [] for d in self.students: if not frappe.db.get_value("Student", d.student, "enabled") and d.active and not self.disabled: - frappe.throw(_("{0} - {1} is inactive student".format(d.group_roll_number, d.student_name))) + frappe.throw(_("{0} - {1} is inactive student").format(d.group_roll_number, d.student_name)) if (self.group_based_on == "Batch") and cint(frappe.defaults.get_defaults().validate_batch)\ and d.student not in students: - frappe.throw(_("{0} - {1} is not enrolled in the Batch {2}".format(d.group_roll_number, d.student_name, self.batch))) + frappe.throw(_("{0} - {1} is not enrolled in the Batch {2}").format(d.group_roll_number, d.student_name, self.batch)) if (self.group_based_on == "Course") and cint(frappe.defaults.get_defaults().validate_course)\ and (d.student not in students): - frappe.throw(_("{0} - {1} is not enrolled in the Course {2}".format(d.group_roll_number, d.student_name, self.course))) + frappe.throw(_("{0} - {1} is not enrolled in the Course {2}").format(d.group_roll_number, d.student_name, self.course)) def validate_and_set_child_table_fields(self): roll_numbers = [d.group_roll_number for d in self.students if d.group_roll_number] @@ -55,7 +55,7 @@ class StudentGroup(Document): max_roll_no += 1 d.group_roll_number = max_roll_no if d.group_roll_number in roll_no_list: - frappe.throw(_("Duplicate roll number for student {0}".format(d.student_name))) + frappe.throw(_("Duplicate roll number for student {0}").format(d.student_name)) else: roll_no_list.append(d.group_roll_number) @@ -77,7 +77,7 @@ def get_students(academic_year, group_based_on, academic_term=None, program=None return [] def get_program_enrollment(academic_year, academic_term=None, program=None, batch=None, student_category=None, course=None): - + condition1 = " " condition2 = " " if academic_term: @@ -93,9 +93,9 @@ def get_program_enrollment(academic_year, academic_term=None, program=None, batc condition2 = ", `tabProgram Enrollment Course` pec" return frappe.db.sql(''' - select - pe.student, pe.student_name - from + select + pe.student, pe.student_name + from `tabProgram Enrollment` pe {condition2} where pe.academic_year = %(academic_year)s {condition1} diff --git a/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py b/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py index 643093ee48..d7645e30cd 100644 --- a/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +++ b/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py @@ -74,4 +74,4 @@ class StudentGroupCreationTool(Document): student_group.append('students', student) student_group.save() - frappe.msgprint(_("{0} Student Groups created.".format(l))) \ No newline at end of file + frappe.msgprint(_("{0} Student Groups created.").format(l)) \ No newline at end of file diff --git a/erpnext/education/utils.py b/erpnext/education/utils.py index e0b278c2b1..cffc3960a0 100644 --- a/erpnext/education/utils.py +++ b/erpnext/education/utils.py @@ -185,7 +185,7 @@ def add_activity(course, content_type, content, program): student = get_current_student() if not student: - return frappe.throw(_("Student with email {0} does not exist".format(frappe.session.user)), frappe.DoesNotExistError) + return frappe.throw(_("Student with email {0} does not exist").format(frappe.session.user), frappe.DoesNotExistError) enrollment = get_or_create_course_enrollment(course, program) if content_type == 'Quiz': @@ -220,7 +220,7 @@ def get_quiz(quiz_name, course): quiz = frappe.get_doc("Quiz", quiz_name) questions = quiz.get_questions() except: - frappe.throw(_("Quiz {0} does not exist".format(quiz_name))) + frappe.throw(_("Quiz {0} does not exist").format(quiz_name)) return None questions = [{ @@ -347,7 +347,7 @@ def get_or_create_course_enrollment(course, program): if not course_enrollment: program_enrollment = get_enrollment('program', program, student.name) if not program_enrollment: - frappe.throw(_("You are not enrolled in program {0}".format(program))) + frappe.throw(_("You are not enrolled in program {0}").format(program)) return return student.enroll_in_course(course_name=course, program_enrollment=get_enrollment('program', program, student.name)) else: diff --git a/erpnext/erpnext_integrations/connectors/shopify_connection.py b/erpnext/erpnext_integrations/connectors/shopify_connection.py index 3be08a2757..ca0e1609cb 100644 --- a/erpnext/erpnext_integrations/connectors/shopify_connection.py +++ b/erpnext/erpnext_integrations/connectors/shopify_connection.py @@ -259,6 +259,6 @@ def get_tax_account_head(tax): {"parent": "Shopify Settings", "shopify_tax": tax_title}, "tax_account") if not tax_account: - frappe.throw(_("Tax Account not specified for Shopify Tax {0}".format(tax.get("title")))) + frappe.throw(_("Tax Account not specified for Shopify Tax {0}").format(tax.get("title"))) return tax_account diff --git a/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.py b/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.py index a04d6c5be7..92111337fd 100644 --- a/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.py +++ b/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.py @@ -63,7 +63,7 @@ def add_bank_accounts(response, bank, company): default_gl_account = get_default_bank_cash_account(company, "Bank") if not default_gl_account: - frappe.throw(_("Please setup a default bank account for company {0}".format(company))) + frappe.throw(_("Please setup a default bank account for company {0}").format(company)) for account in response["accounts"]: acc_type = frappe.db.get_value("Account Type", account["type"]) diff --git a/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py b/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py index 7aa41c546c..d5622454eb 100755 --- a/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +++ b/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py @@ -102,7 +102,7 @@ def invoice_appointment(appointment_doc): sales_invoice.save(ignore_permissions=True) sales_invoice.submit() - frappe.msgprint(_("Sales Invoice {0} created as paid".format(sales_invoice.name)), alert=True) + frappe.msgprint(_("Sales Invoice {0} created as paid").format(sales_invoice.name), alert=True) def appointment_cancel(appointment_id): appointment = frappe.get_doc("Patient Appointment", appointment_id) @@ -111,7 +111,7 @@ def appointment_cancel(appointment_id): sales_invoice = exists_sales_invoice(appointment) if sales_invoice and cancel_sales_invoice(sales_invoice): frappe.msgprint( - _("Appointment {0} and Sales Invoice {1} cancelled".format(appointment.name, sales_invoice.name)) + _("Appointment {0} and Sales Invoice {1} cancelled").format(appointment.name, sales_invoice.name) ) else: validity = validity_exists(appointment.practitioner, appointment.patient) @@ -121,7 +121,7 @@ def appointment_cancel(appointment_id): visited = fee_validity.visited - 1 frappe.db.set_value("Fee Validity", fee_validity.name, "visited", visited) frappe.msgprint( - _("Appointment cancelled, Please review and cancel the invoice {0}".format(fee_validity.ref_invoice)) + _("Appointment cancelled, Please review and cancel the invoice {0}").format(fee_validity.ref_invoice) ) else: frappe.msgprint(_("Appointment cancelled")) @@ -203,7 +203,7 @@ def get_availability_data(date, practitioner): if employee: # Check if it is Holiday if is_holiday(employee, date): - frappe.throw(_("{0} is a company holiday".format(date))) + frappe.throw(_("{0} is a company holiday").format(date)) # Check if He/She on Leave leave_record = frappe.db.sql("""select half_day from `tabLeave Application` @@ -221,7 +221,7 @@ def get_availability_data(date, practitioner): if schedule.schedule: practitioner_schedule = frappe.get_doc("Practitioner Schedule", schedule.schedule) else: - frappe.throw(_("{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master".format(practitioner))) + frappe.throw(_("{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master").format(practitioner)) if practitioner_schedule: available_slots = [] @@ -259,7 +259,7 @@ def get_availability_data(date, practitioner): "avail_slot":available_slots, 'appointments': appointments}) else: - frappe.throw(_("{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master".format(practitioner))) + frappe.throw(_("{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master").format(practitioner)) if not available_slots and not slot_details: # TODO: return available slots in nearby dates diff --git a/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py b/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py index abb82f2cdd..3a12c9c9f9 100644 --- a/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +++ b/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py @@ -84,7 +84,7 @@ def get_benefit_pro_rata_ratio_amount(employee, on_date, sal_struct): pay_against_benefit_claim, max_benefit_amount = frappe.db.get_value("Salary Component", sal_struct_row.salary_component, ["pay_against_benefit_claim", "max_benefit_amount"]) except TypeError: # show the error in tests? - frappe.throw(_("Unable to find Salary Component {0}".format(sal_struct_row.salary_component))) + frappe.throw(_("Unable to find Salary Component {0}").format(sal_struct_row.salary_component)) if sal_struct_row.is_flexible_benefit == 1 and pay_against_benefit_claim != 1: total_pro_rata_max += max_benefit_amount if total_pro_rata_max > 0: diff --git a/erpnext/hr/doctype/salary_slip/salary_slip.py b/erpnext/hr/doctype/salary_slip/salary_slip.py index 555f74c64a..ea531cbf9b 100644 --- a/erpnext/hr/doctype/salary_slip/salary_slip.py +++ b/erpnext/hr/doctype/salary_slip/salary_slip.py @@ -364,11 +364,11 @@ class SalarySlip(TransactionBase): return amount except NameError as err: - frappe.throw(_("Name error: {0}".format(err))) + frappe.throw(_("Name error: {0}").format(err)) except SyntaxError as err: - frappe.throw(_("Syntax error in formula or condition: {0}".format(err))) + frappe.throw(_("Syntax error in formula or condition: {0}").format(err)) except Exception as e: - frappe.throw(_("Error in formula or condition: {0}".format(e))) + frappe.throw(_("Error in formula or condition: {0}").format(e)) raise def add_employee_benefits(self, payroll_period): @@ -705,11 +705,11 @@ class SalarySlip(TransactionBase): if condition: return frappe.safe_eval(condition, self.whitelisted_globals, data) except NameError as err: - frappe.throw(_("Name error: {0}".format(err))) + frappe.throw(_("Name error: {0}").format(err)) except SyntaxError as err: - frappe.throw(_("Syntax error in condition: {0}".format(err))) + frappe.throw(_("Syntax error in condition: {0}").format(err)) except Exception as e: - frappe.throw(_("Error in formula or condition: {0}".format(e))) + frappe.throw(_("Error in formula or condition: {0}").format(e)) raise def get_salary_slip_row(self, salary_component): diff --git a/erpnext/hr/doctype/staffing_plan/staffing_plan.py b/erpnext/hr/doctype/staffing_plan/staffing_plan.py index 595bcaa8d4..5b84d00bd6 100644 --- a/erpnext/hr/doctype/staffing_plan/staffing_plan.py +++ b/erpnext/hr/doctype/staffing_plan/staffing_plan.py @@ -57,8 +57,8 @@ class StaffingPlan(Document): and sp.to_date >= %s and sp.from_date <= %s and sp.company = %s """, (staffing_plan_detail.designation, self.from_date, self.to_date, self.company)) if overlap and overlap [0][0]: - frappe.throw(_("Staffing Plan {0} already exist for designation {1}" - .format(overlap[0][0], staffing_plan_detail.designation))) + frappe.throw(_("Staffing Plan {0} already exist for designation {1}") + .format(overlap[0][0], staffing_plan_detail.designation)) def validate_with_parent_plan(self, staffing_plan_detail): if not frappe.get_cached_value('Company', self.company, "parent_company"): diff --git a/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py b/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py index 94d85f77ef..5f44d63955 100644 --- a/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +++ b/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py @@ -54,7 +54,7 @@ class MaintenanceSchedule(TransactionBase): email_map[d.sales_person] = sp.get_email_id() except frappe.ValidationError: no_email_sp.append(d.sales_person) - + if no_email_sp: frappe.msgprint( frappe._("Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}").format( @@ -66,7 +66,7 @@ class MaintenanceSchedule(TransactionBase): parent=%s""", (d.sales_person, d.item_code, self.name), as_dict=1) for key in scheduled_date: - description =frappe._("Reference: {0}, Item Code: {1} and Customer: {2}").format(self.name, d.item_code, self.customer) + description =frappe._("Reference: {0}, Item Code: {1} and Customer: {2}").format(self.name, d.item_code, self.customer) frappe.get_doc({ "doctype": "Event", "owner": email_map.get(d.sales_person, self.owner), @@ -146,11 +146,11 @@ class MaintenanceSchedule(TransactionBase): if not d.item_code: throw(_("Please select item code")) elif not d.start_date or not d.end_date: - throw(_("Please select Start Date and End Date for Item {0}".format(d.item_code))) + throw(_("Please select Start Date and End Date for Item {0}").format(d.item_code)) elif not d.no_of_visits: throw(_("Please mention no of visits required")) elif not d.sales_person: - throw(_("Please select a Sales Person for item: {0}".format(d.item_name))) + throw(_("Please select a Sales Person for item: {0}").format(d.item_name)) if getdate(d.start_date) >= getdate(d.end_date): throw(_("Start date should be less than end date for Item {0}").format(d.item_code)) diff --git a/erpnext/manufacturing/doctype/job_card/job_card.py b/erpnext/manufacturing/doctype/job_card/job_card.py index 9a2aaa5b36..029db1cb4e 100644 --- a/erpnext/manufacturing/doctype/job_card/job_card.py +++ b/erpnext/manufacturing/doctype/job_card/job_card.py @@ -8,7 +8,7 @@ import datetime from frappe import _ from frappe.model.mapper import get_mapped_doc from frappe.model.document import Document -from frappe.utils import (flt, cint, time_diff_in_hours, get_datetime, getdate, +from frappe.utils import (flt, cint, time_diff_in_hours, get_datetime, getdate, get_time, add_to_date, time_diff, add_days, get_datetime_str) from erpnext.manufacturing.doctype.manufacturing_settings.manufacturing_settings import get_mins_between_operations @@ -43,7 +43,7 @@ class JobCard(Document): def get_overlap_for(self, args, check_next_available_slot=False): production_capacity = 1 - + if self.workstation: production_capacity = frappe.get_cached_value("Workstation", self.workstation, 'production_capacity') or 1 @@ -195,8 +195,8 @@ class JobCard(Document): frappe.throw(_("Total completed qty must be greater than zero")) if self.total_completed_qty != self.for_quantity: - frappe.throw(_("The total completed qty({0}) must be equal to qty to manufacture({1})" - .format(frappe.bold(self.total_completed_qty),frappe.bold(self.for_quantity)))) + frappe.throw(_("The total completed qty({0}) must be equal to qty to manufacture({1})") + .format(frappe.bold(self.total_completed_qty),frappe.bold(self.for_quantity))) def update_work_order(self): if not self.work_order: @@ -372,7 +372,7 @@ def get_job_details(start, end, filters=None): conditions = get_filters_cond("Job Card", filters, []) job_cards = frappe.db.sql(""" SELECT `tabJob Card`.name, `tabJob Card`.work_order, - `tabJob Card`.employee_name, `tabJob Card`.status, ifnull(`tabJob Card`.remarks, ''), + `tabJob Card`.employee_name, `tabJob Card`.status, ifnull(`tabJob Card`.remarks, ''), min(`tabJob Card Time Log`.from_time) as from_time, max(`tabJob Card Time Log`.to_time) as to_time FROM `tabJob Card` , `tabJob Card Time Log` diff --git a/erpnext/manufacturing/doctype/production_plan/production_plan.py b/erpnext/manufacturing/doctype/production_plan/production_plan.py index 8876253e8e..7b3eda2290 100644 --- a/erpnext/manufacturing/doctype/production_plan/production_plan.py +++ b/erpnext/manufacturing/doctype/production_plan/production_plan.py @@ -22,7 +22,7 @@ class ProductionPlan(Document): def validate_data(self): for d in self.get('po_items'): if not d.bom_no: - frappe.throw(_("Please select BOM for Item in Row {0}".format(d.idx))) + frappe.throw(_("Please select BOM for Item in Row {0}").format(d.idx)) else: validate_bom_no(d.item_code, d.bom_no) diff --git a/erpnext/manufacturing/doctype/work_order/work_order.py b/erpnext/manufacturing/doctype/work_order/work_order.py index 619b21a5ac..dd4a87266c 100644 --- a/erpnext/manufacturing/doctype/work_order/work_order.py +++ b/erpnext/manufacturing/doctype/work_order/work_order.py @@ -461,7 +461,7 @@ class WorkOrder(Document): def validate_operation_time(self): for d in self.operations: if not d.time_in_mins > 0: - frappe.throw(_("Operation Time must be greater than 0 for Operation {0}".format(d.operation))) + frappe.throw(_("Operation Time must be greater than 0 for Operation {0}").format(d.operation)) def update_required_items(self): ''' diff --git a/erpnext/projects/doctype/project/project.py b/erpnext/projects/doctype/project/project.py index bf6e21aa4d..afdb5b7a01 100644 --- a/erpnext/projects/doctype/project/project.py +++ b/erpnext/projects/doctype/project/project.py @@ -188,7 +188,7 @@ class Project(Document): def send_welcome_email(self): url = get_url("/project/?name={0}".format(self.name)) messages = ( - _("You have been invited to collaborate on the project: {0}".format(self.name)), + _("You have been invited to collaborate on the project: {0}").format(self.name), url, _("Join") ) diff --git a/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py b/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py index b4de03e1e4..d29710dd8e 100644 --- a/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py +++ b/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py @@ -15,7 +15,7 @@ class QualityProcedure(NestedSet): if process.procedure: doc = frappe.get_doc("Quality Procedure", process.procedure) if doc.parent_quality_procedure: - frappe.throw(_("{0} already has a Parent Procedure {1}.".format(process.procedure, doc.parent_quality_procedure))) + frappe.throw(_("{0} already has a Parent Procedure {1}.").format(process.procedure, doc.parent_quality_procedure)) self.is_group = 1 def on_update(self): diff --git a/erpnext/regional/__init__.py b/erpnext/regional/__init__.py index 630d5fae2a..faa59129a5 100644 --- a/erpnext/regional/__init__.py +++ b/erpnext/regional/__init__.py @@ -9,7 +9,7 @@ from erpnext import get_region def check_deletion_permission(doc, method): region = get_region(doc.company) if region in ["Nepal", "France"] and doc.docstatus != 0: - frappe.throw(_("Deletion is not permitted for country {0}".format(region))) + frappe.throw(_("Deletion is not permitted for country {0}").format(region)) def create_transaction_log(doc, method): """ diff --git a/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py b/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py index 79dace7925..a2b32fec78 100644 --- a/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py +++ b/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py @@ -417,7 +417,7 @@ class GSTR3BReport(Document): if gst_details: return gst_details[0] else: - frappe.throw(_("Please enter GSTIN and state for the Company Address {0}".format(self.company_address))) + frappe.throw(_("Please enter GSTIN and state for the Company Address {0}").format(self.company_address)) def get_account_heads(self): @@ -430,7 +430,7 @@ class GSTR3BReport(Document): if account_heads: return account_heads else: - frappe.throw(_("Please set account heads in GST Settings for Compnay {0}".format(self.company))) + frappe.throw(_("Please set account heads in GST Settings for Compnay {0}").format(self.company)) def get_missing_field_invoices(self): diff --git a/erpnext/regional/italy/utils.py b/erpnext/regional/italy/utils.py index 2af72f8e27..6842fb2a61 100644 --- a/erpnext/regional/italy/utils.py +++ b/erpnext/regional/italy/utils.py @@ -252,7 +252,7 @@ def sales_invoice_validate(doc): else: for row in doc.taxes: if row.rate == 0 and row.tax_amount == 0 and not row.tax_exemption_reason: - frappe.throw(_("Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges".format(row.idx)), + frappe.throw(_("Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges").format(row.idx), title=_("E-Invoicing Information Missing")) for schedule in doc.payment_schedule: @@ -272,10 +272,10 @@ def sales_invoice_on_submit(doc, method): else: for schedule in doc.payment_schedule: if not schedule.mode_of_payment: - frappe.throw(_("Row {0}: Please set the Mode of Payment in Payment Schedule".format(schedule.idx)), + frappe.throw(_("Row {0}: Please set the Mode of Payment in Payment Schedule").format(schedule.idx), title=_("E-Invoicing Information Missing")) elif not frappe.db.get_value("Mode of Payment", schedule.mode_of_payment, "mode_of_payment_code"): - frappe.throw(_("Row {0}: Please set the correct code on Mode of Payment {1}".format(schedule.idx, schedule.mode_of_payment)), + frappe.throw(_("Row {0}: Please set the correct code on Mode of Payment {1}").format(schedule.idx, schedule.mode_of_payment), title=_("E-Invoicing Information Missing")) prepare_and_attach_invoice(doc) @@ -355,7 +355,7 @@ def validate_address(address_name): for field in fields: if not data.get(field): - frappe.throw(_("Please set {0} for address {1}".format(field.replace('-',''), address_name)), + frappe.throw(_("Please set {0} for address {1}").format(field.replace('-',''), address_name), title=_("E-Invoicing Information Missing")) def get_unamended_name(doc): diff --git a/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py b/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py index c45571f57c..bb5f83ed05 100644 --- a/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py +++ b/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py @@ -50,8 +50,8 @@ class POSClosingVoucher(Document): }) if user: - frappe.throw(_("POS Closing Voucher alreday exists for {0} between date {1} and {2}" - .format(self.user, self.period_start_date, self.period_end_date))) + frappe.throw(_("POS Closing Voucher alreday exists for {0} between date {1} and {2}") + .format(self.user, self.period_start_date, self.period_end_date)) def set_invoice_list(self, invoice_list): self.sales_invoices_summary = [] diff --git a/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py b/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py index d7ebafc217..0cb606b277 100644 --- a/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py +++ b/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py @@ -78,19 +78,19 @@ def get_columns(filters, period_list, partner_doctype): columns.extend([{ "fieldname": target_key, - "label": _("Target ({})".format(period.label)), + "label": _("Target ({})").format(period.label), "fieldtype": fieldtype, "options": options, "width": 100 }, { "fieldname": period.key, - "label": _("Achieved ({})".format(period.label)), + "label": _("Achieved ({})").format(period.label), "fieldtype": fieldtype, "options": options, "width": 100 }, { "fieldname": variance_key, - "label": _("Variance ({})".format(period.label)), + "label": _("Variance ({})").format(period.label), "fieldtype": fieldtype, "options": options, "width": 100 diff --git a/erpnext/setup/doctype/company/test_company.py b/erpnext/setup/doctype/company/test_company.py index 1664b660b8..af30abd3ad 100644 --- a/erpnext/setup/doctype/company/test_company.py +++ b/erpnext/setup/doctype/company/test_company.py @@ -81,7 +81,7 @@ class TestCompany(unittest.TestCase): filters["is_group"] = 1 has_matching_accounts = frappe.get_all("Account", filters) - error_message = _("No Account matched these filters: {}".format(json.dumps(filters))) + error_message = _("No Account matched these filters: {}").format(json.dumps(filters)) self.assertTrue(has_matching_accounts, msg=error_message) finally: @@ -124,7 +124,7 @@ def create_child_company(): child_company.insert() else: child_company = frappe.get_doc("Company", child_company) - + return child_company.name def create_test_lead_in_company(company): diff --git a/erpnext/setup/utils.py b/erpnext/setup/utils.py index 1a86b79ad1..439e6a5acc 100644 --- a/erpnext/setup/utils.py +++ b/erpnext/setup/utils.py @@ -143,5 +143,5 @@ def insert_record(records): def welcome_email(): site_name = get_default_company() - title = _("Welcome to {0}".format(site_name)) + title = _("Welcome to {0}").format(site_name) return title diff --git a/erpnext/shopping_cart/cart.py b/erpnext/shopping_cart/cart.py index 813d0dd196..1dac9bd162 100644 --- a/erpnext/shopping_cart/cart.py +++ b/erpnext/shopping_cart/cart.py @@ -431,7 +431,7 @@ def get_debtors_account(cart_settings): payment_gateway_account_currency = \ frappe.get_doc("Payment Gateway Account", cart_settings.payment_gateway_account).currency - account_name = _("Debtors ({0})".format(payment_gateway_account_currency)) + account_name = _("Debtors ({0})").format(payment_gateway_account_currency) debtors_account_name = get_account_name("Receivable", "Asset", is_group=0,\ account_currency=payment_gateway_account_currency, company=cart_settings.company) diff --git a/erpnext/stock/doctype/delivery_trip/delivery_trip.py b/erpnext/stock/doctype/delivery_trip/delivery_trip.py index e2c5b91f51..a34db45114 100644 --- a/erpnext/stock/doctype/delivery_trip/delivery_trip.py +++ b/erpnext/stock/doctype/delivery_trip/delivery_trip.py @@ -88,7 +88,7 @@ class DeliveryTrip(Document): note_doc.save() delivery_notes = [get_link_to_form("Delivery Note", note) for note in delivery_notes] - frappe.msgprint(_("Delivery Notes {0} updated".format(", ".join(delivery_notes)))) + frappe.msgprint(_("Delivery Notes {0} updated").format(", ".join(delivery_notes))) def process_route(self, optimize): """ diff --git a/erpnext/stock/doctype/item/item.py b/erpnext/stock/doctype/item/item.py index a1f06b2995..d036a0a1fb 100644 --- a/erpnext/stock/doctype/item/item.py +++ b/erpnext/stock/doctype/item/item.py @@ -814,7 +814,7 @@ class Item(WebsiteGenerator): for d in self.attributes: if d.attribute in attributes: frappe.throw( - _("Attribute {0} selected multiple times in Attributes Table".format(d.attribute))) + _("Attribute {0} selected multiple times in Attributes Table").format(d.attribute)) else: attributes.append(d.attribute) diff --git a/erpnext/stock/doctype/item_alternative/item_alternative.py b/erpnext/stock/doctype/item_alternative/item_alternative.py index 8e54539b18..b14683b652 100644 --- a/erpnext/stock/doctype/item_alternative/item_alternative.py +++ b/erpnext/stock/doctype/item_alternative/item_alternative.py @@ -25,7 +25,7 @@ class ItemAlternative(Document): def validate_duplicate(self): if frappe.db.get_value("Item Alternative", {'item_code': self.item_code, 'alternative_item_code': self.alternative_item_code, 'name': ('!=', self.name)}): - frappe.throw(_("Already record exists for the item {0}".format(self.item_code))) + frappe.throw(_("Already record exists for the item {0}").format(self.item_code)) def get_alternative_items(doctype, txt, searchfield, start, page_len, filters): return frappe.db.sql(""" (select alternative_item_code from `tabItem Alternative` diff --git a/erpnext/stock/doctype/material_request/material_request.py b/erpnext/stock/doctype/material_request/material_request.py index 6531e095b8..941f904102 100644 --- a/erpnext/stock/doctype/material_request/material_request.py +++ b/erpnext/stock/doctype/material_request/material_request.py @@ -371,7 +371,7 @@ def get_material_requests_based_on_supplier(supplier): supplier_items = [d.parent for d in frappe.db.get_all("Item Default", {"default_supplier": supplier}, 'parent')] if not supplier_items: - frappe.throw(_("{0} is not the default supplier for any items.".format(supplier))) + frappe.throw(_("{0} is not the default supplier for any items.").format(supplier)) material_requests = frappe.db.sql_list("""select distinct mr.name from `tabMaterial Request` mr, `tabMaterial Request Item` mr_item diff --git a/erpnext/support/doctype/issue/issue.py b/erpnext/support/doctype/issue/issue.py index b748e3fa46..1ca6de48cb 100644 --- a/erpnext/support/doctype/issue/issue.py +++ b/erpnext/support/doctype/issue/issue.py @@ -167,11 +167,11 @@ class Issue(Document): if not service_level_agreement: if frappe.db.get_value("Issue", self.name, "service_level_agreement"): - frappe.throw(_("Couldn't Set Service Level Agreement {0}.".format(self.service_level_agreement))) + frappe.throw(_("Couldn't Set Service Level Agreement {0}.").format(self.service_level_agreement)) return if (service_level_agreement.customer and self.customer) and not (service_level_agreement.customer == self.customer): - frappe.throw(_("This Service Level Agreement is specific to Customer {0}".format(service_level_agreement.customer))) + frappe.throw(_("This Service Level Agreement is specific to Customer {0}").format(service_level_agreement.customer)) self.service_level_agreement = service_level_agreement.name self.priority = service_level_agreement.default_priority if not priority else priority @@ -238,7 +238,7 @@ def get_expected_time_for(parameter, service_level, start_date_time): allotted_days = service_level.get("resolution_time") time_period = service_level.get("resolution_time_period") else: - frappe.throw(_("{0} parameter is invalid".format(parameter))) + frappe.throw(_("{0} parameter is invalid").format(parameter)) allotted_hours = 0 if time_period == 'Hour': diff --git a/erpnext/support/doctype/service_level/service_level.py b/erpnext/support/doctype/service_level/service_level.py index 4e70a01c7a..89fa25c233 100644 --- a/erpnext/support/doctype/service_level/service_level.py +++ b/erpnext/support/doctype/service_level/service_level.py @@ -22,7 +22,7 @@ class ServiceLevel(Document): for priority in self.priorities: # Check if response and resolution time is set for every priority if not (priority.response_time or priority.resolution_time): - frappe.throw(_("Set Response Time and Resolution for Priority {0} at index {1}.".format(priority.priority, priority.idx))) + frappe.throw(_("Set Response Time and Resolution for Priority {0} at index {1}.").format(priority.priority, priority.idx)) priorities.append(priority.priority) @@ -44,12 +44,12 @@ class ServiceLevel(Document): resolution = priority.resolution_time * 7 if response > resolution: - frappe.throw(_("Response Time for {0} at index {1} can't be greater than Resolution Time.".format(priority.priority, priority.idx))) + frappe.throw(_("Response Time for {0} at index {1} can't be greater than Resolution Time.").format(priority.priority, priority.idx)) # Check if repeated priority if not len(set(priorities)) == len(priorities): repeated_priority = get_repeated(priorities) - frappe.throw(_("Priority {0} has been repeated.".format(repeated_priority))) + frappe.throw(_("Priority {0} has been repeated.").format(repeated_priority)) # Check if repeated default priority if not len(set(default_priority)) == len(default_priority): @@ -81,7 +81,7 @@ class ServiceLevel(Document): # Check for repeated workday if not len(set(support_days)) == len(support_days): repeated_days = get_repeated(support_days) - frappe.throw(_("Workday {0} has been repeated.".format(repeated_days))) + frappe.throw(_("Workday {0} has been repeated.").format(repeated_days)) def get_repeated(values): unique_list = [] diff --git a/erpnext/templates/pages/integrations/gocardless_checkout.py b/erpnext/templates/pages/integrations/gocardless_checkout.py index e604b944f9..96a0f42a05 100644 --- a/erpnext/templates/pages/integrations/gocardless_checkout.py +++ b/erpnext/templates/pages/integrations/gocardless_checkout.py @@ -64,7 +64,7 @@ def check_mandate(data, reference_doctype, reference_docname): try: redirect_flow = client.redirect_flows.create(params={ - "description": _("Pay {0} {1}".format(data['amount'], data['currency'])), + "description": _("Pay {0} {1}").format(data['amount'], data['currency']), "session_token": frappe.session.user, "success_redirect_url": success_url, "prefilled_customer": prefilled_customer diff --git a/erpnext/utilities/bot.py b/erpnext/utilities/bot.py index 23e1dd4fa5..0e5e95d1a8 100644 --- a/erpnext/utilities/bot.py +++ b/erpnext/utilities/bot.py @@ -36,4 +36,4 @@ class FindItemBot(BotParser): return "\n\n".join(out) else: - return _("Did not find any item called {0}".format(item)) \ No newline at end of file + return _("Did not find any item called {0}").format(item) \ No newline at end of file diff --git a/erpnext/www/lms/program.py b/erpnext/www/lms/program.py index 7badedcc85..d3b04c2f8f 100644 --- a/erpnext/www/lms/program.py +++ b/erpnext/www/lms/program.py @@ -22,7 +22,7 @@ def get_program(program_name): try: return frappe.get_doc('Program', program_name) except frappe.DoesNotExistError: - frappe.throw(_("Program {0} does not exist.".format(program_name))) + frappe.throw(_("Program {0} does not exist.").format(program_name)) def get_course_progress(courses, program): progress = {course.name: utils.get_course_progress(course, program) for course in courses} From da2c69e8364275474a0d86afed7b76e52fb41bdb Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Wed, 29 Jan 2020 15:34:06 +0530 Subject: [PATCH 09/46] fix(translations): Incorrect syntax --- erpnext/accounts/doctype/sales_invoice/sales_invoice.py | 4 ++-- erpnext/controllers/buying_controller.py | 4 ++-- .../hotel_room_reservation/hotel_room_reservation.py | 8 ++++---- .../hr/doctype/daily_work_summary/daily_work_summary.py | 4 ++-- erpnext/regional/india/utils.py | 4 ++-- erpnext/regional/report/gstr_1/gstr_1.py | 4 ++-- 6 files changed, 14 insertions(+), 14 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 88fa94bb67..d576a66835 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -1044,8 +1044,8 @@ class SalesInvoice(SellingController): frappe.throw(_("Serial Numbers in row {0} does not match with Delivery Note").format(item.idx)) if item.serial_no and cint(item.qty) != len(si_serial_nos): - frappe.throw(_("Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.".format( - item.idx, item.qty, item.item_code, len(si_serial_nos)))) + frappe.throw(_("Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.").format( + item.idx, item.qty, item.item_code, len(si_serial_nos))) def validate_serial_against_sales_invoice(self): """ check if serial number is already used in other sales invoice """ diff --git a/erpnext/controllers/buying_controller.py b/erpnext/controllers/buying_controller.py index df583efcb9..69caabd724 100644 --- a/erpnext/controllers/buying_controller.py +++ b/erpnext/controllers/buying_controller.py @@ -500,8 +500,8 @@ class BuyingController(StockController): item_row = item_row.as_dict() for fieldname in field_list: if flt(item_row[fieldname]) < 0: - frappe.throw(_("Row #{0}: {1} can not be negative for item {2}".format(item_row['idx'], - frappe.get_meta(item_row.doctype).get_label(fieldname), item_row['item_code']))) + frappe.throw(_("Row #{0}: {1} can not be negative for item {2}").format(item_row['idx'], + frappe.get_meta(item_row.doctype).get_label(fieldname), item_row['item_code'])) def check_for_on_hold_or_closed_status(self, ref_doctype, ref_fieldname): for d in self.get("items"): diff --git a/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py b/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py index 6f9e4a9799..a8ebe8610e 100644 --- a/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +++ b/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py @@ -32,8 +32,8 @@ class HotelRoomReservation(Document): + d.qty + self.rooms_booked.get(d.item) total_rooms = self.get_total_rooms(d.item) if total_rooms < rooms_booked: - frappe.throw(_("Hotel Rooms of type {0} are unavailable on {1}".format(d.item, - frappe.format(day, dict(fieldtype="Date")))), exc=HotelRoomUnavailableError) + frappe.throw(_("Hotel Rooms of type {0} are unavailable on {1}").format(d.item, + frappe.format(day, dict(fieldtype="Date"))), exc=HotelRoomUnavailableError) self.rooms_booked[d.item] += rooms_booked @@ -74,8 +74,8 @@ class HotelRoomReservation(Document): net_rate += day_rate[0][0] else: frappe.throw( - _("Please set Hotel Room Rate on {}".format( - frappe.format(day, dict(fieldtype="Date")))), exc=HotelRoomPricingNotSetError) + _("Please set Hotel Room Rate on {}").format( + frappe.format(day, dict(fieldtype="Date"))), exc=HotelRoomPricingNotSetError) d.rate = net_rate d.amount = net_rate * flt(d.qty) self.net_total += d.amount diff --git a/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py b/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py index 25cda4444b..1cc23812f7 100644 --- a/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +++ b/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py @@ -97,9 +97,9 @@ class DailyWorkSummary(Document): return dict(replies=replies, original_message=dws_group.message, - title=_('Work Summary for {0}'.format( + title=_('Work Summary for {0}').format( global_date_format(self.creation) - )), + ), did_not_reply=', '.join(did_not_reply) or '', did_not_reply_title=_('No replies from')) diff --git a/erpnext/regional/india/utils.py b/erpnext/regional/india/utils.py index 0f9156a6b4..3a187baf9b 100644 --- a/erpnext/regional/india/utils.py +++ b/erpnext/regional/india/utils.py @@ -550,9 +550,9 @@ def validate_sales_invoice(doc): for fieldname in reqd_fields: if not doc.get(fieldname): - frappe.throw(_('{} is required to generate e-Way Bill JSON'.format( + frappe.throw(_('{} is required to generate e-Way Bill JSON').format( doc.meta.get_label(fieldname) - ))) + )) if len(doc.company_gstin) < 15: frappe.throw(_('You must be a registered supplier to generate e-Way Bill')) diff --git a/erpnext/regional/report/gstr_1/gstr_1.py b/erpnext/regional/report/gstr_1/gstr_1.py index 4f9cc7ff7a..2c5ab7cb91 100644 --- a/erpnext/regional/report/gstr_1/gstr_1.py +++ b/erpnext/regional/report/gstr_1/gstr_1.py @@ -719,9 +719,9 @@ def get_company_gstin_number(company): if gstin: return gstin[0]["gstin"] else: - frappe.throw(_("Please set valid GSTIN No. in Company Address for company {0}".format( + frappe.throw(_("Please set valid GSTIN No. in Company Address for company {0}").format( frappe.bold(company) - ))) + )) @frappe.whitelist() def download_json_file(): From 480d52c6f3d15ed7f00eb7e71b67a7a64e10afcd Mon Sep 17 00:00:00 2001 From: Diksha Date: Mon, 23 Dec 2019 15:43:20 +0530 Subject: [PATCH 10/46] feat(attendance): add work from home option in status --- erpnext/hr/doctype/attendance/attendance.json | 34 ++++++++++--------- erpnext/hr/doctype/attendance/attendance.py | 2 +- .../hr/doctype/attendance/attendance_list.js | 13 ++++--- .../employee_attendance_tool.js | 31 +++++++++++++++-- 4 files changed, 57 insertions(+), 23 deletions(-) diff --git a/erpnext/hr/doctype/attendance/attendance.json b/erpnext/hr/doctype/attendance/attendance.json index bc89b368d3..ab2dc4a90f 100644 --- a/erpnext/hr/doctype/attendance/attendance.json +++ b/erpnext/hr/doctype/attendance/attendance.json @@ -1,4 +1,5 @@ { + "actions": [], "allow_import": 1, "autoname": "naming_series:", "creation": "2013-01-10 16:34:13", @@ -63,6 +64,14 @@ "oldfieldname": "employee_name", "oldfieldtype": "Data" }, + { + "depends_on": "working_hours", + "fieldname": "working_hours", + "fieldtype": "Float", + "label": "Working Hours", + "precision": "1", + "read_only": 1 + }, { "default": "Present", "fieldname": "status", @@ -72,7 +81,7 @@ "no_copy": 1, "oldfieldname": "status", "oldfieldtype": "Select", - "options": "\nPresent\nAbsent\nOn Leave\nHalf Day", + "options": "\nPresent\nAbsent\nOn Leave\nHalf Day\nWork From Home", "reqd": 1, "search_index": 1 }, @@ -126,6 +135,12 @@ "options": "Department", "read_only": 1 }, + { + "fieldname": "shift", + "fieldtype": "Link", + "label": "Shift", + "options": "Shift Type" + }, { "fieldname": "attendance_request", "fieldtype": "Link", @@ -143,20 +158,6 @@ "print_hide": 1, "read_only": 1 }, - { - "depends_on": "working_hours", - "fieldname": "working_hours", - "fieldtype": "Float", - "label": "Working Hours", - "precision": "1", - "read_only": 1 - }, - { - "fieldname": "shift", - "fieldtype": "Link", - "label": "Shift", - "options": "Shift Type" - }, { "default": "0", "fieldname": "late_entry", @@ -173,7 +174,8 @@ "icon": "fa fa-ok", "idx": 1, "is_submittable": 1, - "modified": "2019-07-29 20:35:40.845422", + "links": [], + "modified": "2020-01-27 20:25:29.572281", "modified_by": "Administrator", "module": "HR", "name": "Attendance", diff --git a/erpnext/hr/doctype/attendance/attendance.py b/erpnext/hr/doctype/attendance/attendance.py index c3fbed599b..9e965dbc39 100644 --- a/erpnext/hr/doctype/attendance/attendance.py +++ b/erpnext/hr/doctype/attendance/attendance.py @@ -52,7 +52,7 @@ class Attendance(Document): def validate(self): from erpnext.controllers.status_updater import validate_status - validate_status(self.status, ["Present", "Absent", "On Leave", "Half Day"]) + validate_status(self.status, ["Present", "Absent", "On Leave", "Half Day", "Work From Home"]) self.validate_attendance_date() self.validate_duplicate_record() self.check_leave_record() diff --git a/erpnext/hr/doctype/attendance/attendance_list.js b/erpnext/hr/doctype/attendance/attendance_list.js index 1161703003..6df3dbd784 100644 --- a/erpnext/hr/doctype/attendance/attendance_list.js +++ b/erpnext/hr/doctype/attendance/attendance_list.js @@ -1,7 +1,13 @@ frappe.listview_settings['Attendance'] = { add_fields: ["status", "attendance_date"], - get_indicator: function(doc) { - return [__(doc.status), doc.status=="Present" ? "green" : "darkgrey", "status,=," + doc.status]; + get_indicator: function (doc) { + if (["Present", "Work From Home"].includes(doc.status)) { + return [__(doc.status), "green", "status,=," + doc.status]; + } else if (["Absent", "On Leave"].includes(doc.status)) { + return [__(doc.status), "red", "status,=," + doc.status]; + } else if (doc.status == "Half Day") { + return [__(doc.status), "orange", "status,=," + doc.status]; + } }, onload: function(list_view) { let me = this; @@ -44,7 +50,7 @@ frappe.listview_settings['Attendance'] = { label: __("Status"), fieldtype: "Select", fieldname: "status", - options: ["Present", "Absent", "Half Day"], + options: ["Present", "Absent", "Half Day", "Work From Home"], hidden:1, reqd: 1, @@ -102,5 +108,4 @@ frappe.listview_settings['Attendance'] = { }); }); } - }; diff --git a/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js b/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js index 22ba5ad473..3205a92b1b 100644 --- a/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +++ b/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js @@ -124,8 +124,10 @@ erpnext.EmployeeSelector = Class.extend({ var mark_employee_toolbar = $('
\ \ - \ -
') + \ + \ + \ + '); employee_toolbar.find(".btn-add") .html(__('Check all')) @@ -224,6 +226,31 @@ erpnext.EmployeeSelector = Class.extend({ }); + mark_employee_toolbar.find(".btn-mark-work-from-home") + .html(__('Mark Work From Home')) + .on("click", function() { + var employee_work_from_home = []; + $(me.wrapper).find('input[type="checkbox"]').each(function(i, check) { + if($(check).is(":checked")) { + employee_work_from_home.push(employee[i]); + } + }); + frappe.call({ + method: "erpnext.hr.doctype.employee_attendance_tool.employee_attendance_tool.mark_employee_attendance", + args:{ + "employee_list":employee_work_from_home, + "status":"Work From Home", + "date":frm.doc.date, + "company":frm.doc.company + }, + + callback: function(r) { + erpnext.employee_attendance_tool.load_employees(frm); + + } + }); + }); + var row; $.each(employee, function(i, m) { if (i===0 || (i % 4) === 0) { From 2bccd7f717a7e39b47d5a8d694d14b0c06e9d3a9 Mon Sep 17 00:00:00 2001 From: Parth Kharwar Date: Thu, 30 Jan 2020 12:12:42 +0530 Subject: [PATCH 11/46] fix: rename breadcrumb for Brand DocType from Selling to Stock --- erpnext/public/js/conf.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/public/js/conf.js b/erpnext/public/js/conf.js index 095e744926..0f88f13350 100644 --- a/erpnext/public/js/conf.js +++ b/erpnext/public/js/conf.js @@ -50,7 +50,7 @@ $.extend(frappe.breadcrumbs.preferred, { "Territory": "Selling", "Sales Person": "Selling", "Sales Partner": "Selling", - "Brand": "Selling" + "Brand": "Stock" }); $.extend(frappe.breadcrumbs.module_map, { From 8e131c7cad0524ec8d64b31c348286940e2e99a6 Mon Sep 17 00:00:00 2001 From: Faris Ansari Date: Thu, 30 Jan 2020 13:03:05 +0530 Subject: [PATCH 12/46] fix: Remove translated strings from test --- erpnext/accounts/doctype/bank_account/test_bank_account.py | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/accounts/doctype/bank_account/test_bank_account.py b/erpnext/accounts/doctype/bank_account/test_bank_account.py index 26e93c5188..ed34d17ee7 100644 --- a/erpnext/accounts/doctype/bank_account/test_bank_account.py +++ b/erpnext/accounts/doctype/bank_account/test_bank_account.py @@ -31,7 +31,7 @@ class TestBankAccount(unittest.TestCase): try: bank_account.validate_iban() except AttributeError: - msg = _('BankAccount.validate_iban() failed for empty IBAN') + msg = 'BankAccount.validate_iban() failed for empty IBAN' self.fail(msg=msg) for iban in valid_ibans: @@ -39,11 +39,11 @@ class TestBankAccount(unittest.TestCase): try: bank_account.validate_iban() except ValidationError: - msg = _('BankAccount.validate_iban() failed for valid IBAN {}').format(iban) + msg = 'BankAccount.validate_iban() failed for valid IBAN {}'.format(iban) self.fail(msg=msg) for not_iban in invalid_ibans: bank_account.iban = not_iban - msg = _('BankAccount.validate_iban() accepted invalid IBAN {}').format(not_iban) + msg = 'BankAccount.validate_iban() accepted invalid IBAN {}'.format(not_iban) with self.assertRaises(ValidationError, msg=msg): bank_account.validate_iban() From 5342c846d2795ce4cecf0d9f7d25b28f8181ac28 Mon Sep 17 00:00:00 2001 From: Parth Kharwar Date: Thu, 30 Jan 2020 13:12:56 +0530 Subject: [PATCH 13/46] feat: request for work from home marked in attendance --- erpnext/hr/doctype/attendance_request/attendance_request.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/erpnext/hr/doctype/attendance_request/attendance_request.py b/erpnext/hr/doctype/attendance_request/attendance_request.py index a4598a798e..090d53262c 100644 --- a/erpnext/hr/doctype/attendance_request/attendance_request.py +++ b/erpnext/hr/doctype/attendance_request/attendance_request.py @@ -38,6 +38,8 @@ class AttendanceRequest(Document): attendance.employee_name = self.employee_name if self.half_day and date_diff(getdate(self.half_day_date), getdate(attendance_date)) == 0: attendance.status = "Half Day" + elif self.reason == "Work From Home": + attendance.status = "Work From Home" else: attendance.status = "Present" attendance.attendance_date = attendance_date From ce04526db8703da9bc10a31b09f147aca963c999 Mon Sep 17 00:00:00 2001 From: Deepesh Garg Date: Thu, 30 Jan 2020 15:33:51 +0530 Subject: [PATCH 14/46] fix: Do not show any finance book record if no finance book filter is applied --- erpnext/accounts/report/cash_flow/cash_flow.py | 2 ++ erpnext/accounts/report/financial_statements.py | 6 ++++-- 2 files changed, 6 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/report/cash_flow/cash_flow.py b/erpnext/accounts/report/cash_flow/cash_flow.py index 0b12477447..702c81ccb7 100644 --- a/erpnext/accounts/report/cash_flow/cash_flow.py +++ b/erpnext/accounts/report/cash_flow/cash_flow.py @@ -136,6 +136,8 @@ def get_account_type_based_gl_data(company, start_date, end_date, account_type, cond = """ AND (finance_book in (%s, %s, '') OR finance_book IS NULL) """ %(frappe.db.escape(filters.finance_book), frappe.db.escape(company_fb)) + else: + cond = "AND (finance_book = '' OR finance_book IS NULL)" gl_sum = frappe.db.sql_list(""" select sum(credit) - sum(debit) diff --git a/erpnext/accounts/report/financial_statements.py b/erpnext/accounts/report/financial_statements.py index 32d9075f44..a1ecaae2a1 100644 --- a/erpnext/accounts/report/financial_statements.py +++ b/erpnext/accounts/report/financial_statements.py @@ -13,7 +13,7 @@ import frappe, erpnext from erpnext.accounts.report.utils import get_currency, convert_to_presentation_currency from erpnext.accounts.utils import get_fiscal_year from frappe import _ -from frappe.utils import (flt, getdate, get_first_day, add_months, add_days, formatdate) +from frappe.utils import (flt, getdate, get_first_day, add_months, add_days, formatdate, cstr) from six import itervalues from erpnext.accounts.doctype.accounting_dimension.accounting_dimension import get_accounting_dimensions @@ -356,7 +356,7 @@ def set_gl_entries_by_account( "company": company, "from_date": from_date, "to_date": to_date, - "finance_book": filters.get("finance_book") + "finance_book": cstr(filters.get("finance_book")) } if filters.get("include_default_book_entries"): @@ -411,6 +411,8 @@ def get_additional_conditions(from_date, ignore_closing_entries, filters): additional_conditions.append("(finance_book in (%(finance_book)s, %(company_fb)s, '') OR finance_book IS NULL)") else: additional_conditions.append("(finance_book in (%(finance_book)s, '') OR finance_book IS NULL)") + else: + additional_conditions.append("(finance_book = '' OR finance_book IS NULL)") if accounting_dimensions: for dimension in accounting_dimensions: From ba44f28202245341017a4ba00638dd6fab973464 Mon Sep 17 00:00:00 2001 From: Deepesh Garg Date: Fri, 31 Jan 2020 09:08:29 +0530 Subject: [PATCH 15/46] fix: Filtering fixes in financial statement --- erpnext/accounts/report/cash_flow/cash_flow.py | 9 ++++----- .../consolidated_financial_statement.py | 9 ++++----- erpnext/accounts/report/financial_statements.py | 11 ++++------- 3 files changed, 12 insertions(+), 17 deletions(-) diff --git a/erpnext/accounts/report/cash_flow/cash_flow.py b/erpnext/accounts/report/cash_flow/cash_flow.py index 702c81ccb7..3c2aa654d9 100644 --- a/erpnext/accounts/report/cash_flow/cash_flow.py +++ b/erpnext/accounts/report/cash_flow/cash_flow.py @@ -4,7 +4,7 @@ from __future__ import unicode_literals import frappe from frappe import _ -from frappe.utils import cint +from frappe.utils import cint, cstr from erpnext.accounts.report.financial_statements import (get_period_list, get_columns, get_data) from erpnext.accounts.report.profit_and_loss_statement.profit_and_loss_statement import get_net_profit_loss from erpnext.accounts.utils import get_fiscal_year @@ -130,14 +130,13 @@ def get_account_type_based_gl_data(company, start_date, end_date, account_type, filters = frappe._dict(filters) if filters.finance_book: - cond = " AND (finance_book in (%s, '') OR finance_book IS NULL)" %(frappe.db.escape(filters.finance_book)) if filters.include_default_book_entries: company_fb = frappe.db.get_value("Company", company, 'default_finance_book') - cond = """ AND (finance_book in (%s, %s, '') OR finance_book IS NULL) """ %(frappe.db.escape(filters.finance_book), frappe.db.escape(company_fb)) - else: - cond = "AND (finance_book = '' OR finance_book IS NULL)" + else: + cond = " AND (finance_book in (%s, '') OR finance_book IS NULL)" %(frappe.db.escape(cstr(filters.finance_book))) + gl_sum = frappe.db.sql_list(""" select sum(credit) - sum(debit) diff --git a/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py b/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py index e9eb819cc6..4a79b6a340 100644 --- a/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +++ b/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py @@ -387,11 +387,10 @@ def get_additional_conditions(from_date, ignore_closing_entries, filters): if from_date: additional_conditions.append("gl.posting_date >= %(from_date)s") - if filters.get("finance_book"): - if filters.get("include_default_book_entries"): - additional_conditions.append("(finance_book in (%(finance_book)s, %(company_fb)s, '') OR finance_book IS NULL)") - else: - additional_conditions.append("(finance_book in (%(finance_book)s, '') OR finance_book IS NULL)") + if filters.get("include_default_book_entries"): + additional_conditions.append("(finance_book in (%(finance_book)s, %(company_fb)s, '') OR finance_book IS NULL)") + else: + additional_conditions.append("(finance_book in (%(finance_book)s, '') OR finance_book IS NULL)") return " and {}".format(" and ".join(additional_conditions)) if additional_conditions else "" diff --git a/erpnext/accounts/report/financial_statements.py b/erpnext/accounts/report/financial_statements.py index a1ecaae2a1..57e8e0ea8f 100644 --- a/erpnext/accounts/report/financial_statements.py +++ b/erpnext/accounts/report/financial_statements.py @@ -406,14 +406,11 @@ def get_additional_conditions(from_date, ignore_closing_entries, filters): filters.cost_center = get_cost_centers_with_children(filters.cost_center) additional_conditions.append("cost_center in %(cost_center)s") - if filters.get("finance_book"): - if filters.get("include_default_book_entries"): - additional_conditions.append("(finance_book in (%(finance_book)s, %(company_fb)s, '') OR finance_book IS NULL)") - else: - additional_conditions.append("(finance_book in (%(finance_book)s, '') OR finance_book IS NULL)") + if filters.get("include_default_book_entries"): + additional_conditions.append("(finance_book in (%(finance_book)s, %(company_fb)s, '') OR finance_book IS NULL)") else: - additional_conditions.append("(finance_book = '' OR finance_book IS NULL)") - + additional_conditions.append("(finance_book in (%(finance_book)s, '') OR finance_book IS NULL)") + if accounting_dimensions: for dimension in accounting_dimensions: if filters.get(dimension): From 75adb808e5dc4baf5c704be1facf5c2fad87c9c8 Mon Sep 17 00:00:00 2001 From: 0Pranav Date: Fri, 31 Jan 2020 10:35:47 +0530 Subject: [PATCH 16/46] various fixes from review - Rename the report to title case - Added company filter - fixed checks in filter and += operator for total --- .../territory_wise_sales.js | 8 +++++- .../territory_wise_sales.json | 18 ++++++++----- .../territory_wise_sales.py | 26 ++++++++++++------- 3 files changed, 36 insertions(+), 16 deletions(-) diff --git a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.js b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.js index 12f5304813..767d5290eb 100644 --- a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.js +++ b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.js @@ -10,7 +10,13 @@ frappe.query_reports["Territory wise Sales"] = { fieldname:"expected_closing_date", label: __("Expected Closing Date"), fieldtype: "DateRange", - default: [frappe.datetime.add_months(frappe.datetime.get_today(),-1), frappe.datetime.get_today()] + default: [frappe.datetime.add_months(frappe.datetime.get_today(),-1), frappe.datetime.get_today()], + }, + { + fieldname: "company", + label: __("Company"), + fieldtype: "Link", + options: "Company", } ] }; diff --git a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.json b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.json index 88dfe8a129..b98d1a2f32 100644 --- a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.json +++ b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.json @@ -1,21 +1,27 @@ { "add_total_row": 0, - "creation": "2020-01-10 13:02:23.312515", + "creation": "2020-01-31 10:34:33.319047", "disable_prepared_report": 0, "disabled": 0, "docstatus": 0, "doctype": "Report", "idx": 0, "is_standard": "Yes", - "modified": "2020-01-14 14:50:33.863423", + "modified": "2020-01-31 10:34:33.319047", "modified_by": "Administrator", "module": "Selling", - "name": "Territory wise Sales", + "name": "Territory-wise Sales", "owner": "Administrator", "prepared_report": 0, - "query": "", "ref_doctype": "Opportunity", - "report_name": "Territory wise Sales", + "report_name": "Territory-wise Sales", "report_type": "Script Report", - "roles": [] + "roles": [ + { + "role": "Sales User" + }, + { + "role": "Sales Manager" + } + ] } \ No newline at end of file diff --git a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py index 12582a6e95..c8a63ee29f 100644 --- a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py +++ b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py @@ -57,16 +57,16 @@ def get_data(filters=None): sales_invoices = get_sales_invoice(sales_orders) for territory in frappe.get_all("Territory"): - territory_opportunities = list(filter(lambda x: x.territory == territory.name, opportunities)) if opportunities and opportunities else None + territory_opportunities = list(filter(lambda x: x.territory == territory.name, opportunities)) if opportunities and opportunities else [] t_opportunity_names = [t.name for t in territory_opportunities] if territory_opportunities else None - territory_quotations = list(filter(lambda x: x.opportunity in t_opportunity_names, quotations)) if t_opportunity_names and quotations else None + territory_quotations = list(filter(lambda x: x.opportunity in t_opportunity_names, quotations)) if t_opportunity_names and quotations else [] t_quotation_names = [t.name for t in territory_quotations] if territory_quotations else None - territory_orders = list(filter(lambda x: x.quotation in t_quotation_names, sales_orders)) if t_quotation_names and sales_orders else None + territory_orders = list(filter(lambda x: x.quotation in t_quotation_names, sales_orders)) if t_quotation_names and sales_orders else [] t_order_names = [t.name for t in territory_orders] if territory_orders else None - territory_invoices = list(filter(lambda x: x.sales_order in t_order_names, sales_invoices)) if t_order_names and sales_invoices else None + territory_invoices = list(filter(lambda x: x.sales_order in t_order_names, sales_invoices)) if t_order_names and sales_invoices else [] territory_data = { "territory": territory.name, @@ -84,11 +84,19 @@ def get_opportunities(filters): if filters.from_date and filters.to_date: conditions = " WHERE expected_closing between %(from_date)s and %(to_date)s" + + if filters.company: + if conditions: + conditions += " AND" + else: + conditions += " WHERE" + conditions += " company = %(company)s" + return frappe.db.sql(""" SELECT name, territory, opportunity_amount FROM `tabOpportunity` {0} - """.format(conditions), filters, as_dict=1) + """.format(conditions), filters, as_dict=1) #nosec def get_quotations(opportunities): if not opportunities: @@ -100,7 +108,7 @@ def get_quotations(opportunities): SELECT `name`,`base_grand_total`, `opportunity` FROM `tabQuotation` WHERE docstatus=1 AND opportunity in ({0}) - """.format(', '.join(["%s"]*len(opportunity_names))), tuple(opportunity_names), as_dict=1) + """.format(', '.join(["%s"]*len(opportunity_names))), tuple(opportunity_names), as_dict=1) #nosec def get_sales_orders(quotations): if not quotations: @@ -112,7 +120,7 @@ def get_sales_orders(quotations): SELECT so.`name`, so.`base_grand_total`, soi.prevdoc_docname as quotation FROM `tabSales Order` so, `tabSales Order Item` soi WHERE so.docstatus=1 AND so.name = soi.parent AND soi.prevdoc_docname in ({0}) - """.format(', '.join(["%s"]*len(quotation_names))), tuple(quotation_names), as_dict=1) + """.format(', '.join(["%s"]*len(quotation_names))), tuple(quotation_names), as_dict=1) #nosec def get_sales_invoice(sales_orders): if not sales_orders: @@ -124,7 +132,7 @@ def get_sales_invoice(sales_orders): SELECT si.name, si.base_grand_total, sii.sales_order FROM `tabSales Invoice` si, `tabSales Invoice Item` sii WHERE si.docstatus=1 AND si.name = sii.parent AND sii.sales_order in ({0}) - """.format(', '.join(["%s"]*len(so_names))), tuple(so_names), as_dict=1) + """.format(', '.join(["%s"]*len(so_names))), tuple(so_names), as_dict=1) #nosec def _get_total(doclist, amount_field="base_grand_total"): if not doclist: @@ -132,6 +140,6 @@ def _get_total(doclist, amount_field="base_grand_total"): total = 0 for doc in doclist: - total = total + doc.get(amount_field, 0) + total += doc.get(amount_field, 0) return total From b1473c3de0577f00dff9749192a8717a41aefe81 Mon Sep 17 00:00:00 2001 From: 0Pranav Date: Fri, 31 Jan 2020 10:43:00 +0530 Subject: [PATCH 17/46] fix: return empty array --- .../report/territory_wise_sales/territory_wise_sales.py | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py index c8a63ee29f..842e634510 100644 --- a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py +++ b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py @@ -58,13 +58,13 @@ def get_data(filters=None): for territory in frappe.get_all("Territory"): territory_opportunities = list(filter(lambda x: x.territory == territory.name, opportunities)) if opportunities and opportunities else [] - t_opportunity_names = [t.name for t in territory_opportunities] if territory_opportunities else None + t_opportunity_names = [t.name for t in territory_opportunities] if territory_opportunities else [] territory_quotations = list(filter(lambda x: x.opportunity in t_opportunity_names, quotations)) if t_opportunity_names and quotations else [] - t_quotation_names = [t.name for t in territory_quotations] if territory_quotations else None + t_quotation_names = [t.name for t in territory_quotations] if territory_quotations else [] territory_orders = list(filter(lambda x: x.quotation in t_quotation_names, sales_orders)) if t_quotation_names and sales_orders else [] - t_order_names = [t.name for t in territory_orders] if territory_orders else None + t_order_names = [t.name for t in territory_orders] if territory_orders else [] territory_invoices = list(filter(lambda x: x.sales_order in t_order_names, sales_invoices)) if t_order_names and sales_invoices else [] From 34c33baa820c18c7ca01db401075b0e0a07db6d3 Mon Sep 17 00:00:00 2001 From: Deepesh Garg Date: Fri, 31 Jan 2020 11:16:30 +0530 Subject: [PATCH 18/46] fix: Cash flow filter fix --- erpnext/accounts/report/cash_flow/cash_flow.py | 15 +++++++-------- 1 file changed, 7 insertions(+), 8 deletions(-) diff --git a/erpnext/accounts/report/cash_flow/cash_flow.py b/erpnext/accounts/report/cash_flow/cash_flow.py index 3c2aa654d9..e349a6aaaf 100644 --- a/erpnext/accounts/report/cash_flow/cash_flow.py +++ b/erpnext/accounts/report/cash_flow/cash_flow.py @@ -129,14 +129,13 @@ def get_account_type_based_gl_data(company, start_date, end_date, account_type, cond = "" filters = frappe._dict(filters) - if filters.finance_book: - if filters.include_default_book_entries: - company_fb = frappe.db.get_value("Company", company, 'default_finance_book') - cond = """ AND (finance_book in (%s, %s, '') OR finance_book IS NULL) - """ %(frappe.db.escape(filters.finance_book), frappe.db.escape(company_fb)) - else: - cond = " AND (finance_book in (%s, '') OR finance_book IS NULL)" %(frappe.db.escape(cstr(filters.finance_book))) - + if filters.include_default_book_entries: + company_fb = frappe.db.get_value("Company", company, 'default_finance_book') + cond = """ AND (finance_book in (%s, %s, '') OR finance_book IS NULL) + """ %(frappe.db.escape(filters.finance_book), frappe.db.escape(company_fb)) + else: + cond = " AND (finance_book in (%s, '') OR finance_book IS NULL)" %(frappe.db.escape(cstr(filters.finance_book))) + gl_sum = frappe.db.sql_list(""" select sum(credit) - sum(debit) From adbe29149880ef543dfeee928d1ca618ebfb1808 Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Fri, 31 Jan 2020 12:42:43 +0530 Subject: [PATCH 19/46] feat: added source warehouse field in the work order --- .../doctype/work_order/work_order.js | 9 +++++++++ .../doctype/work_order/work_order.json | 15 +++++++++++++-- 2 files changed, 22 insertions(+), 2 deletions(-) diff --git a/erpnext/manufacturing/doctype/work_order/work_order.js b/erpnext/manufacturing/doctype/work_order/work_order.js index 80bd89d591..9c8aa453a6 100644 --- a/erpnext/manufacturing/doctype/work_order/work_order.js +++ b/erpnext/manufacturing/doctype/work_order/work_order.js @@ -121,6 +121,15 @@ frappe.ui.form.on("Work Order", { } }, + source_warehouse: function(frm) { + if (frm.doc.source_warehouse) { + frm.doc.required_items.forEach(d => { + frappe.model.set_value(d.doctype, d.name, + "source_warehouse", frm.doc.source_warehouse); + }); + } + }, + refresh: function(frm) { erpnext.toggle_naming_series(); erpnext.work_order.set_custom_buttons(frm); diff --git a/erpnext/manufacturing/doctype/work_order/work_order.json b/erpnext/manufacturing/doctype/work_order/work_order.json index 6152fbb840..e6990fd985 100644 --- a/erpnext/manufacturing/doctype/work_order/work_order.json +++ b/erpnext/manufacturing/doctype/work_order/work_order.json @@ -29,9 +29,10 @@ "from_wip_warehouse", "update_consumed_material_cost_in_project", "warehouses", + "source_warehouse", "wip_warehouse", - "fg_warehouse", "column_break_12", + "fg_warehouse", "scrap_warehouse", "required_items_section", "required_items", @@ -226,12 +227,14 @@ "options": "fa fa-building" }, { + "description": "This is a location where operations are executed.", "fieldname": "wip_warehouse", "fieldtype": "Link", "label": "Work-in-Progress Warehouse", "options": "Warehouse" }, { + "description": "This is a location where final product stored.", "fieldname": "fg_warehouse", "fieldtype": "Link", "label": "Target Warehouse", @@ -242,6 +245,7 @@ "fieldtype": "Column Break" }, { + "description": "This is a location where scraped materials are stored.", "fieldname": "scrap_warehouse", "fieldtype": "Link", "label": "Scrap Warehouse", @@ -463,6 +467,13 @@ "fieldname": "update_consumed_material_cost_in_project", "fieldtype": "Check", "label": "Update Consumed Material Cost In Project" + }, + { + "description": "This is a location where raw materials are available.", + "fieldname": "source_warehouse", + "fieldtype": "Link", + "label": "Source Warehouse", + "options": "Warehouse" } ], "icon": "fa fa-cogs", @@ -470,7 +481,7 @@ "image_field": "image", "is_submittable": 1, "links": [], - "modified": "2019-12-04 11:20:04.695123", + "modified": "2020-01-31 12:46:23.636033", "modified_by": "Administrator", "module": "Manufacturing", "name": "Work Order", From 823964f3a65c6138b2064cafc65baab975d301ee Mon Sep 17 00:00:00 2001 From: Parth Kharwar Date: Fri, 31 Jan 2020 14:30:38 +0530 Subject: [PATCH 20/46] fix: test added to check work from home application --- .../test_attendance_request.py | 25 +++++++++++++++++-- 1 file changed, 23 insertions(+), 2 deletions(-) diff --git a/erpnext/hr/doctype/attendance_request/test_attendance_request.py b/erpnext/hr/doctype/attendance_request/test_attendance_request.py index a2c39d9a71..92b1eaee2c 100644 --- a/erpnext/hr/doctype/attendance_request/test_attendance_request.py +++ b/erpnext/hr/doctype/attendance_request/test_attendance_request.py @@ -13,7 +13,28 @@ class TestAttendanceRequest(unittest.TestCase): for doctype in ["Attendance Request", "Attendance"]: frappe.db.sql("delete from `tab{doctype}`".format(doctype=doctype)) - def test_attendance_request(self): + def test_on_duty_attendance_request(self): + today = nowdate() + employee = get_employee() + attendance_request = frappe.new_doc("Attendance Request") + attendance_request.employee = employee.name + attendance_request.from_date = date(date.today().year, 1, 1) + attendance_request.to_date = date(date.today().year, 1, 2) + attendance_request.reason = "On Duty" + attendance_request.company = "_Test Company" + attendance_request.insert() + attendance_request.submit() + attendance = frappe.get_doc('Attendance', { + 'employee': employee.name, + 'attendance_date': date(date.today().year, 1, 1), + 'docstatus': 1 + }) + self.assertEqual(attendance.status, 'Present') + attendance_request.cancel() + attendance.reload() + self.assertEqual(attendance.docstatus, 2) + + def test_work_from_home_attendance_request(self): today = nowdate() employee = get_employee() attendance_request = frappe.new_doc("Attendance Request") @@ -29,7 +50,7 @@ class TestAttendanceRequest(unittest.TestCase): 'attendance_date': date(date.today().year, 1, 1), 'docstatus': 1 }) - self.assertEqual(attendance.status, 'Present') + self.assertEqual(attendance.status, 'Work From Home') attendance_request.cancel() attendance.reload() self.assertEqual(attendance.docstatus, 2) From cce3ac9f79f2761fc00197b3c436762a0885a63c Mon Sep 17 00:00:00 2001 From: Deepesh Garg Date: Sun, 2 Feb 2020 21:25:58 +0530 Subject: [PATCH 21/46] fix: Move E-Way bill button under create --- .../accounts/doctype/sales_invoice/regional/india.js | 4 ++-- .../doctype/sales_invoice/regional/india_list.js | 4 ++-- erpnext/regional/india/utils.py | 10 +++++----- 3 files changed, 9 insertions(+), 9 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/regional/india.js b/erpnext/accounts/doctype/sales_invoice/regional/india.js index 48fa364faf..ba6c03b95f 100644 --- a/erpnext/accounts/doctype/sales_invoice/regional/india.js +++ b/erpnext/accounts/doctype/sales_invoice/regional/india.js @@ -25,7 +25,7 @@ frappe.ui.form.on("Sales Invoice", { if(frm.doc.docstatus == 1 && !frm.is_dirty() && !frm.doc.is_return && !frm.doc.ewaybill) { - frm.add_custom_button('e-Way Bill JSON', () => { + frm.add_custom_button('E-Way Bill JSON', () => { var w = window.open( frappe.urllib.get_full_url( "/api/method/erpnext.regional.india.utils.generate_ewb_json?" @@ -36,7 +36,7 @@ frappe.ui.form.on("Sales Invoice", { if (!w) { frappe.msgprint(__("Please enable pop-ups")); return; } - }, __("Make")); + }, __("Create")); } } diff --git a/erpnext/accounts/doctype/sales_invoice/regional/india_list.js b/erpnext/accounts/doctype/sales_invoice/regional/india_list.js index 66d74b4b06..d17582769c 100644 --- a/erpnext/accounts/doctype/sales_invoice/regional/india_list.js +++ b/erpnext/accounts/doctype/sales_invoice/regional/india_list.js @@ -12,7 +12,7 @@ frappe.listview_settings['Sales Invoice'].onload = function (doclist) { for (let doc of selected_docs) { if (doc.docstatus !== 1) { - frappe.throw(__("e-Way Bill JSON can only be generated from a submitted document")); + frappe.throw(__("E-Way Bill JSON can only be generated from a submitted document")); } } @@ -29,5 +29,5 @@ frappe.listview_settings['Sales Invoice'].onload = function (doclist) { }; - doclist.page.add_actions_menu_item(__('Generate e-Way Bill JSON'), action, false); + doclist.page.add_actions_menu_item(__('Generate E-Way Bill JSON'), action, false); }; \ No newline at end of file diff --git a/erpnext/regional/india/utils.py b/erpnext/regional/india/utils.py index 3a187baf9b..266affb6d0 100644 --- a/erpnext/regional/india/utils.py +++ b/erpnext/regional/india/utils.py @@ -358,7 +358,7 @@ def calculate_hra_exemption_for_period(doc): def get_ewb_data(dt, dn): if dt != 'Sales Invoice': - frappe.throw(_('e-Way Bill JSON can only be generated from Sales Invoice')) + frappe.throw(_('E-Way Bill JSON can only be generated from Sales Invoice')) dn = dn.split(',') @@ -381,7 +381,7 @@ def get_ewb_data(dt, dn): elif doc.gst_category in ['Overseas', 'Deemed Export']: data.subSupplyType = 3 else: - frappe.throw(_('Unsupported GST Category for e-Way Bill JSON generation')) + frappe.throw(_('Unsupported GST Category for E-Way Bill JSON generation')) data.docType = 'INV' data.docDate = frappe.utils.formatdate(doc.posting_date, 'dd/mm/yyyy') @@ -537,10 +537,10 @@ def get_item_list(data, doc): def validate_sales_invoice(doc): if doc.docstatus != 1: - frappe.throw(_('e-Way Bill JSON can only be generated from submitted document')) + frappe.throw(_('E-Way Bill JSON can only be generated from submitted document')) if doc.is_return: - frappe.throw(_('e-Way Bill JSON cannot be generated for Sales Return as of now')) + frappe.throw(_('E-Way Bill JSON cannot be generated for Sales Return as of now')) if doc.ewaybill: frappe.throw(_('e-Way Bill already exists for this document')) @@ -550,7 +550,7 @@ def validate_sales_invoice(doc): for fieldname in reqd_fields: if not doc.get(fieldname): - frappe.throw(_('{} is required to generate e-Way Bill JSON').format( + frappe.throw(_('{} is required to generate E-Way Bill JSON').format( doc.meta.get_label(fieldname) )) From 9c4399e1f2b5fe086a0445ffb08c50e6666fa2a1 Mon Sep 17 00:00:00 2001 From: 0Pranav Date: Mon, 3 Feb 2020 14:57:42 +0530 Subject: [PATCH 22/46] fix: better syntax for checking empty arrays --- .../territory_wise_sales.js | 4 +-- .../territory_wise_sales.py | 26 ++++++++++++++----- 2 files changed, 21 insertions(+), 9 deletions(-) diff --git a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.js b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.js index 767d5290eb..ca78be45a6 100644 --- a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.js +++ b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.js @@ -7,8 +7,8 @@ frappe.query_reports["Territory wise Sales"] = { "breadcrumb":"Selling", "filters": [ { - fieldname:"expected_closing_date", - label: __("Expected Closing Date"), + fieldname:"transaction_date", + label: __("Transaction Date"), fieldtype: "DateRange", default: [frappe.datetime.add_months(frappe.datetime.get_today(),-1), frappe.datetime.get_today()], }, diff --git a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py index 842e634510..415d078b71 100644 --- a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py +++ b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py @@ -57,14 +57,26 @@ def get_data(filters=None): sales_invoices = get_sales_invoice(sales_orders) for territory in frappe.get_all("Territory"): - territory_opportunities = list(filter(lambda x: x.territory == territory.name, opportunities)) if opportunities and opportunities else [] - t_opportunity_names = [t.name for t in territory_opportunities] if territory_opportunities else [] + territory_opportunities = [] + if opportunities: + territory_opportunities = list(filter(lambda x: x.territory == territory.name, opportunities)) + t_opportunity_names = [] + if territory_opportunities: + t_opportunity_names = [t.name for t in territory_opportunities] - territory_quotations = list(filter(lambda x: x.opportunity in t_opportunity_names, quotations)) if t_opportunity_names and quotations else [] - t_quotation_names = [t.name for t in territory_quotations] if territory_quotations else [] + territory_quotations = [] + if t_opportunity_names and quotations: + territory_quotations = list(filter(lambda x: x.opportunity in t_opportunity_names, quotations)) + t_quotation_names = [] + if territory_quotations: + t_quotation_names = [t.name for t in territory_quotations] - territory_orders = list(filter(lambda x: x.quotation in t_quotation_names, sales_orders)) if t_quotation_names and sales_orders else [] - t_order_names = [t.name for t in territory_orders] if territory_orders else [] + territory_orders = [] + if t_quotation_names and sales_orders: + list(filter(lambda x: x.quotation in t_quotation_names, sales_orders)) + t_order_names = [] + if territory_orders: + t_order_names = [t.name for t in territory_orders] territory_invoices = list(filter(lambda x: x.sales_order in t_order_names, sales_invoices)) if t_order_names and sales_invoices else [] @@ -83,7 +95,7 @@ def get_opportunities(filters): conditions = "" if filters.from_date and filters.to_date: - conditions = " WHERE expected_closing between %(from_date)s and %(to_date)s" + conditions = " WHERE transaction_date between %(from_date)s and %(to_date)s" if filters.company: if conditions: From 14782829205dee489ea65ddb44051cb7b724a3ab Mon Sep 17 00:00:00 2001 From: Frappe PR Bot Date: Mon, 3 Feb 2020 14:57:43 +0530 Subject: [PATCH 23/46] feat: Updated translation (#20499) --- erpnext/translations/af.csv | 45 ++++++++++++++++--------------- erpnext/translations/am.csv | 42 +++++++++++++++-------------- erpnext/translations/ar.csv | 45 ++++++++++++++++--------------- erpnext/translations/bg.csv | 45 ++++++++++++++++--------------- erpnext/translations/bn.csv | 38 +++++++++++++-------------- erpnext/translations/bs.csv | 45 ++++++++++++++++--------------- erpnext/translations/ca.csv | 45 ++++++++++++++++--------------- erpnext/translations/cs.csv | 45 ++++++++++++++++--------------- erpnext/translations/da.csv | 45 ++++++++++++++++--------------- erpnext/translations/de.csv | 45 ++++++++++++++++--------------- erpnext/translations/el.csv | 45 ++++++++++++++++--------------- erpnext/translations/es.csv | 45 ++++++++++++++++--------------- erpnext/translations/et.csv | 45 ++++++++++++++++--------------- erpnext/translations/fa.csv | 36 ++++++++++++------------- erpnext/translations/fi.csv | 45 ++++++++++++++++--------------- erpnext/translations/fil.csv | 0 erpnext/translations/fr.csv | 47 +++++++++++++++++---------------- erpnext/translations/gu.csv | 42 +++++++++++++++-------------- erpnext/translations/he.csv | 4 +-- erpnext/translations/hi.csv | 45 ++++++++++++++++--------------- erpnext/translations/hr.csv | 45 ++++++++++++++++--------------- erpnext/translations/hu.csv | 45 ++++++++++++++++--------------- erpnext/translations/id.csv | 45 ++++++++++++++++--------------- erpnext/translations/is.csv | 45 ++++++++++++++++--------------- erpnext/translations/it.csv | 46 +++++++++++++++++--------------- erpnext/translations/ja.csv | 45 ++++++++++++++++--------------- erpnext/translations/km.csv | 41 +++++++++++++++-------------- erpnext/translations/kn.csv | 38 +++++++++++++-------------- erpnext/translations/ko.csv | 45 ++++++++++++++++--------------- erpnext/translations/ku.csv | 37 +++++++++++++------------- erpnext/translations/lo.csv | 45 ++++++++++++++++--------------- erpnext/translations/lt.csv | 43 ++++++++++++++++-------------- erpnext/translations/lv.csv | 45 ++++++++++++++++--------------- erpnext/translations/mk.csv | 41 +++++++++++++++-------------- erpnext/translations/ml.csv | 38 +++++++++++++-------------- erpnext/translations/mr.csv | 38 +++++++++++++-------------- erpnext/translations/ms.csv | 45 ++++++++++++++++--------------- erpnext/translations/my.csv | 40 ++++++++++++++-------------- erpnext/translations/nl.csv | 45 ++++++++++++++++--------------- erpnext/translations/no.csv | 45 ++++++++++++++++--------------- erpnext/translations/pl.csv | 45 ++++++++++++++++--------------- erpnext/translations/ps.csv | 40 ++++++++++++++-------------- erpnext/translations/pt.csv | 45 ++++++++++++++++--------------- erpnext/translations/pt_br.csv | 1 - erpnext/translations/ro.csv | 46 +++++++++++++++++--------------- erpnext/translations/ru.csv | 45 ++++++++++++++++--------------- erpnext/translations/si.csv | 38 +++++++++++++-------------- erpnext/translations/sk.csv | 45 ++++++++++++++++--------------- erpnext/translations/sl.csv | 45 ++++++++++++++++--------------- erpnext/translations/sq.csv | 39 ++++++++++++++------------- erpnext/translations/sr.csv | 46 +++++++++++++++++--------------- erpnext/translations/sr_sp.csv | 2 +- erpnext/translations/sv.csv | 45 ++++++++++++++++--------------- erpnext/translations/sw.csv | 45 ++++++++++++++++--------------- erpnext/translations/ta.csv | 40 ++++++++++++++-------------- erpnext/translations/te.csv | 39 +++++++++++++-------------- erpnext/translations/th.csv | 45 ++++++++++++++++--------------- erpnext/translations/tr.csv | 48 ++++++++++++++++++---------------- erpnext/translations/uk.csv | 45 ++++++++++++++++--------------- erpnext/translations/ur.csv | 39 +++++++++++++-------------- erpnext/translations/uz.csv | 45 ++++++++++++++++--------------- erpnext/translations/vi.csv | 45 ++++++++++++++++--------------- erpnext/translations/zh.csv | 45 ++++++++++++++++--------------- erpnext/translations/zh_tw.csv | 44 +++++++++++++++++-------------- 64 files changed, 1379 insertions(+), 1234 deletions(-) create mode 100644 erpnext/translations/fil.csv diff --git a/erpnext/translations/af.csv b/erpnext/translations/af.csv index c2ce7ad7da..c2604ac0cc 100644 --- a/erpnext/translations/af.csv +++ b/erpnext/translations/af.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Standaard Belastingvrystel DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nuwe wisselkoers apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Geldeenheid word vereis vir Pryslys {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Sal in die transaksie bereken word. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Stel asseblief 'n naamstelsel vir werknemers in vir menslike hulpbronne> HR-instellings DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Kliëntkontak DocType: Shift Type,Enable Auto Attendance,Aktiveer outo-bywoning @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Alle Verskaffer Kontak DocType: Support Settings,Support Settings,Ondersteuningsinstellings apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Rekening {0} word by die kinderonderneming {1} gevoeg apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Ongeldige magtigingsbewyse +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Merk werk van die huis af apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC beskikbaar (of dit volledig is) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS instellings apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Verwerkingsbewyse @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Bedrag op item apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Lidmaatskapbesonderhede apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Verskaffer is nodig teen Betaalbare rekening {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Items en pryse -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kliënt> Kliëntegroep> Gebied apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Totale ure: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Vanaf datum moet binne die fiskale jaar wees. Aanvaar vanaf datum = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Geselekteerde opsie DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Betaling Beskrywing -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series in vir {0} via Setup> Settings> Naming Series apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Onvoldoende voorraad DocType: Email Digest,New Sales Orders,Nuwe verkope bestellings DocType: Bank Account,Bank Account,Bankrekening @@ -774,6 +772,7 @@ DocType: Request for Quotation,Request for Quotation,Versoek vir kwotasie DocType: Healthcare Settings,Require Lab Test Approval,Vereis laboratoriumtoetsgoedkeuring DocType: Attendance,Working Hours,Werksure apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Totaal Uitstaande +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-omskakelingsfaktor ({0} -> {1}) nie vir item gevind nie: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Verander die begin- / huidige volgordenommer van 'n bestaande reeks. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Persentasie waarop u toegelaat word om meer te betaal teen die bestelde bedrag. Byvoorbeeld: As die bestelwaarde $ 100 is vir 'n artikel en die verdraagsaamheid as 10% is, kan u $ 110 faktureer." DocType: Dosage Strength,Strength,krag @@ -1262,7 +1261,6 @@ DocType: Timesheet,Total Billed Hours,Totale gefaktureerde ure DocType: Pricing Rule Item Group,Pricing Rule Item Group,Prysgroep vir itemitems DocType: Travel Itinerary,Travel To,Reis na apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Wisselkoersherwaarderingsmeester. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel nommeringreekse op vir bywoning via Setup> Numbering Series apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Skryf af Bedrag DocType: Leave Block List Allow,Allow User,Laat gebruiker toe DocType: Journal Entry,Bill No,Rekening No @@ -1615,6 +1613,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,aansporings apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Waardes buite sinchronisasie apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Verskilwaarde +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel nommeringreekse op vir bywoning via Setup> Numbering Series DocType: SMS Log,Requested Numbers,Gevraagde Getalle DocType: Volunteer,Evening,aand DocType: Quiz,Quiz Configuration,Vasvra-opstelling @@ -1782,6 +1781,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Van Plek DocType: Student Admission,Publish on website,Publiseer op die webwerf apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Verskafferfaktuurdatum mag nie groter wees as die datum van inskrywing nie DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Itemkode> Itemgroep> Merk DocType: Subscription,Cancelation Date,Kansellasie Datum DocType: Purchase Invoice Item,Purchase Order Item,Bestelling Item DocType: Agriculture Task,Agriculture Task,Landboutaak @@ -2382,7 +2382,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Produk afslagblaaie DocType: Target Detail,Target Distribution,Teikenverspreiding DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-finalisering van voorlopige assessering apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Partye en adresse invoer -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-omskakelingsfaktor ({0} -> {1}) nie vir item gevind nie: {2} DocType: Salary Slip,Bank Account No.,Bankrekeningnommer DocType: Naming Series,This is the number of the last created transaction with this prefix,Dit is die nommer van die laaste geskep transaksie met hierdie voorvoegsel DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2774,6 +2773,9 @@ DocType: Company,Default Holiday List,Verstek Vakansie Lys DocType: Pricing Rule,Supplier Group,Verskaffersgroep apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Ry {0}: Van tyd tot tyd van {1} oorvleuel met {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",'N BOM met naam {0} bestaan reeds vir item {1}.
Het u die item hernoem? Kontak administrateur / tegniese ondersteuning apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Aandeleverpligtinge DocType: Purchase Invoice,Supplier Warehouse,Verskaffer Pakhuis DocType: Opportunity,Contact Mobile No,Kontak Mobielnr @@ -3215,6 +3217,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Kwaliteit vergadering tafel apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Besoek die forums +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Kan nie taak {0} voltooi nie, want die afhanklike taak {1} is nie saamgevoeg / gekanselleer nie." DocType: Student,Student Mobile Number,Student Mobiele Nommer DocType: Item,Has Variants,Het Varianten DocType: Employee Benefit Claim,Claim Benefit For,Eisvoordeel vir @@ -3373,7 +3376,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Totale faktuurbedrag (via ty apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Skep fooi-skedule apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Herhaal kliëntinkomste DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Stel asb. Die opvoeder-benamingstelsel op in onderwys> Onderwysinstellings DocType: Quiz,Enter 0 to waive limit,Tik 0 in om afstand te doen van die limiet DocType: Bank Statement Settings,Mapped Items,Gemerkte items DocType: Amazon MWS Settings,IT,DIT @@ -3407,7 +3409,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Daar is nie genoeg bates geskep of gekoppel aan {0} nie. \ Skep of skakel {1} bates met die betrokke dokument. DocType: Pricing Rule,Apply Rule On Brand,Pas reël op handelsmerk toe DocType: Task,Actual End Date (via Time Sheet),Werklike Einddatum (via Tydblad) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Kan taak {0} nie sluit nie, want die afhanklike taak {1} is nie gesluit nie." DocType: Soil Texture,Soil Type,Grondsoort apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Bedrag {0} {1} teen {2} {3} ,Quotation Trends,Aanhalingstendense @@ -3437,6 +3438,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Selfritvoertuig DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Verskaffer Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Ry {0}: Rekening van materiaal wat nie vir die item {1} gevind is nie. DocType: Contract Fulfilment Checklist,Requirement,vereiste +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Stel asseblief 'n naamstelsel vir werknemers in vir menslike hulpbronne> HR-instellings DocType: Journal Entry,Accounts Receivable,Rekeninge ontvangbaar DocType: Quality Goal,Objectives,doelwitte DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Die rol wat toegelaat word om 'n aansoek om verouderde verlof te skep @@ -3578,6 +3580,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Toegepaste apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Besonderhede van uiterlike voorrade en innerlike voorrade wat onderhewig is aan omgekeerde koste apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Heropen +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Nie toegelaat. Deaktiveer asseblief die laboratoriumtoetssjabloon DocType: Sales Invoice Item,Qty as per Stock UOM,Aantal per Voorraad UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Naam apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Wortelonderneming @@ -3636,6 +3639,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tipe besigheid DocType: Sales Invoice,Consumer,verbruiker apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Kies asseblief Toegewysde bedrag, faktuurtipe en faktuurnommer in ten minste een ry" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series in vir {0} via Setup> Settings> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Koste van nuwe aankope apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Verkoopsbestelling benodig vir item {0} DocType: Grant Application,Grant Description,Toekennings Beskrywing @@ -3661,7 +3665,6 @@ DocType: Payment Request,Transaction Details,Transaksiebesonderhede apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,Klik asseblief op 'Generate Schedule' om skedule te kry DocType: Item,"Purchase, Replenishment Details","Aankope, aanvullingsbesonderhede" DocType: Products Settings,Enable Field Filters,Aktiveer veldfilters -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Itemkode> Itemgroep> Merk apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","Klant voorsien artikel" kan ook nie die aankoopitem wees nie DocType: Blanket Order Item,Ordered Quantity,Bestelde Hoeveelheid apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",bv. "Bou gereedskap vir bouers" @@ -4131,7 +4134,7 @@ DocType: BOM,Operating Cost (Company Currency),Bedryfskoste (Maatskappy Geld) DocType: Authorization Rule,Applicable To (Role),Toepasbaar op (Rol) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Hangende blare DocType: BOM Update Tool,Replace BOM,Vervang BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kode {0} bestaan reeds +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kode {0} bestaan reeds DocType: Patient Encounter,Procedures,prosedures apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Verkoopsbestellings is nie beskikbaar vir produksie nie DocType: Asset Movement,Purpose,doel @@ -4227,6 +4230,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Ignoreer werknemersydsoo DocType: Warranty Claim,Service Address,Diens Adres apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Voer hoofdata in DocType: Asset Maintenance Task,Calibration,kalibrasie +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Laboratoriumtoetsitem {0} bestaan reeds apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} is 'n vakansiedag apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Faktureerbare ure apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Verlofstatus kennisgewing @@ -4577,7 +4581,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,Salarisregister DocType: Company,Default warehouse for Sales Return,Standaard pakhuis vir verkoopsopgawe DocType: Pick List,Parent Warehouse,Ouer Warehouse -DocType: Subscription,Net Total,Netto totaal +DocType: C-Form Invoice Detail,Net Total,Netto totaal apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Stel die rakleeftyd van die artikel in dae in om die vervaldatum in te stel op grond van die vervaardigingsdatum plus rakleeftyd. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Verstek BOM nie gevind vir Item {0} en Projek {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Ry {0}: Stel die modus van betaling in die betalingskedule in @@ -4692,7 +4696,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Teiken pakhuis is verpligtend vir ry {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Kleinhandelbedrywighede DocType: Cheque Print Template,Primary Settings,Primêre instellings -DocType: Attendance Request,Work From Home,Werk van die huis af +DocType: Attendance,Work From Home,Werk van die huis af DocType: Purchase Invoice,Select Supplier Address,Kies Verskaffersadres apps/erpnext/erpnext/public/js/event.js,Add Employees,Voeg werknemers by DocType: Purchase Invoice Item,Quality Inspection,Kwaliteit Inspeksie @@ -4934,8 +4938,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,Magtigings-URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Bedrag {0} {1} {2} {3} DocType: Account,Depreciation,waardevermindering -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Skrap die werknemer {0} \ om hierdie dokument te kanselleer" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Die aantal aandele en die aandele is onbestaanbaar apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Verskaffers) DocType: Employee Attendance Tool,Employee Attendance Tool,Werknemersbywoningsinstrument @@ -5240,7 +5242,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Plantanalise Kriteria DocType: Cheque Print Template,Cheque Height,Kontroleer hoogte DocType: Supplier,Supplier Details,Verskafferbesonderhede DocType: Setup Progress,Setup Progress,Setup Progress -DocType: Expense Claim,Approval Status,Goedkeuring Status apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Van waarde moet minder wees as om in ry {0} te waardeer. DocType: Program,Intro Video,Inleiding video DocType: Manufacturing Settings,Default Warehouses for Production,Standaard pakhuise vir produksie @@ -5581,7 +5582,6 @@ DocType: Purchase Invoice,Rounded Total,Afgerond Totaal apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots vir {0} word nie by die skedule gevoeg nie DocType: Product Bundle,List items that form the package.,Lys items wat die pakket vorm. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Teikenligging is nodig tydens die oordrag van bate {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nie toegelaat. Skakel asseblief die Toets Sjabloon uit DocType: Sales Invoice,Distance (in km),Afstand (in km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Persentasie toewysing moet gelyk wees aan 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Kies asseblief Posdatum voordat jy Party kies @@ -5711,7 +5711,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Pryslys wisselkoers apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Alle Verskaffersgroepe DocType: Employee Boarding Activity,Required for Employee Creation,Benodig vir die skep van werknemers -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Verskaffer> Verskaffer tipe apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Rekeningnommer {0} reeds in rekening gebruik {1} DocType: GoCardless Mandate,Mandate,mandaat DocType: Hotel Room Reservation,Booked,bespreek @@ -5777,7 +5776,6 @@ DocType: Production Plan Item,Product Bundle Item,Produk Bundel Item DocType: Sales Partner,Sales Partner Name,Verkope Vennoot Naam apps/erpnext/erpnext/hooks.py,Request for Quotations,Versoek vir kwotasies DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimum faktuurbedrag -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () kon leë IBAN misluk DocType: Normal Test Items,Normal Test Items,Normale toetsitems DocType: QuickBooks Migrator,Company Settings,Maatskappyinstellings DocType: Additional Salary,Overwrite Salary Structure Amount,Oorskryf Salarisstruktuurbedrag @@ -5928,6 +5926,7 @@ DocType: Issue,Resolution By Variance,Besluit volgens afwyking DocType: Leave Allocation,Leave Period,Verlofperiode DocType: Item,Default Material Request Type,Standaard Materiaal Versoek Tipe DocType: Supplier Scorecard,Evaluation Period,Evalueringsperiode +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kliënt> Kliëntegroep> Gebied apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,onbekend apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Werkorde nie geskep nie apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6286,8 +6285,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serie # DocType: Material Request Plan Item,Required Quantity,Vereiste hoeveelheid DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Rekeningkundige tydperk oorvleuel met {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Verskaffer> Verskaffer tipe apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Verkooprekening DocType: Purchase Invoice Item,Total Weight,Totale Gewig +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Skrap die werknemer {0} \ om hierdie dokument te kanselleer" DocType: Pick List Item,Pick List Item,Kies 'n lysitem apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Kommissie op verkope DocType: Job Offer Term,Value / Description,Waarde / beskrywing @@ -6402,6 +6404,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Geteken DocType: Bank Account,Party Type,Party Tipe DocType: Discounted Invoice,Discounted Invoice,Faktuur met afslag +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Merk bywoning as DocType: Payment Schedule,Payment Schedule,Betalingskedule apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Geen werknemer gevind vir die gegewe werknemer se veldwaarde nie. '{}': {} DocType: Item Attribute Value,Abbreviation,staat @@ -6503,7 +6506,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Rede vir die aanskakel DocType: Employee,Personal Email,Persoonlike e-pos apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Totale Variansie DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Indien geaktiveer, sal die stelsel outomaties rekeningkundige inskrywings vir voorraad plaas." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () aanvaar ongeldige IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,makelaars apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Bywoning vir werknemer {0} is reeds gemerk vir hierdie dag DocType: Work Order Operation,"in Minutes @@ -6773,6 +6775,7 @@ DocType: Appointment,Customer Details,Kliënt Besonderhede apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Druk IRS 1099-vorms uit DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Kontroleer of Bate Voorkomende onderhoud of kalibrasie vereis apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Maatskappyafkorting kan nie meer as 5 karakters hê nie +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Moedermaatskappy moet 'n groepmaatskappy wees DocType: Employee,Reports to,Verslae aan ,Unpaid Expense Claim,Onbetaalde koste-eis DocType: Payment Entry,Paid Amount,Betaalde bedrag @@ -6858,6 +6861,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Oppentelling apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Beide proefperiode begin datum en proeftydperk einddatum moet ingestel word apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Gemiddelde koers +DocType: Appointment,Appointment With,Afspraak met apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Totale Betalingsbedrag in Betaalskedule moet gelyk wees aan Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Klant voorsien artikel" kan nie 'n waardasiekoers hê nie DocType: Subscription Plan Detail,Plan,plan @@ -6990,7 +6994,6 @@ DocType: Customer,Customer Primary Contact,Kliënt Primêre Kontak apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lei% DocType: Bank Guarantee,Bank Account Info,Bankrekeninginligting DocType: Bank Guarantee,Bank Guarantee Type,Bank Waarborg Tipe -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () het misluk vir geldige IBAN {} DocType: Payment Schedule,Invoice Portion,Faktuur Gedeelte ,Asset Depreciations and Balances,Bate Afskrywing en Saldo's apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Bedrag {0} {1} oorgedra vanaf {2} na {3} @@ -7654,7 +7657,6 @@ DocType: Dosage Form,Dosage Form,Doseringsvorm apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Stel die veldtogskedule op in die veldtog {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Pryslysmeester. DocType: Task,Review Date,Hersieningsdatum -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Merk bywoning as DocType: BOM,Allow Alternative Item,Laat alternatiewe item toe apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Die aankoopbewys het geen item waarvoor die behoudmonster geaktiveer is nie. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktuur groot totaal @@ -7882,7 +7884,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Maksimum herstel limiet apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Pryslys nie gevind of gedeaktiveer nie DocType: Content Activity,Last Activity ,Laaste aktiwiteit -DocType: Student Applicant,Approved,goedgekeur DocType: Pricing Rule,Price,prys apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Werknemer verlig op {0} moet gestel word as 'Links' DocType: Guardian,Guardian,voog @@ -8053,6 +8054,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Persent aftrekking DocType: GL Entry,To Rename,Om te hernoem DocType: Stock Entry,Repack,herverpak apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Kies om serienommer by te voeg. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Stel asb. Die instrukteur-naamstelsel op in onderwys> Onderwysinstellings apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Stel fiskale kode vir die kliënt '% s' in apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Kies asseblief die Maatskappy eerste DocType: Item Attribute,Numeric Values,Numeriese waardes @@ -8069,6 +8071,7 @@ DocType: Salary Detail,Additional Amount,Bykomende bedrag apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Mandjie is leeg apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Item {0} het geen reeksnommer nie. Slegs geseliliseerde items \ kan aflewering hê op basis van die serienommer +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Waardeverminderde Bedrag DocType: Vehicle,Model,model DocType: Work Order,Actual Operating Cost,Werklike Bedryfskoste DocType: Payment Entry,Cheque/Reference No,Tjek / Verwysingsnr diff --git a/erpnext/translations/am.csv b/erpnext/translations/am.csv index 25bf56ff51..c79c4601bb 100644 --- a/erpnext/translations/am.csv +++ b/erpnext/translations/am.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,መደበኛ የግብር DocType: Exchange Rate Revaluation Account,New Exchange Rate,አዲስ ልውጥ ተመን apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},የምንዛሬ ዋጋ ዝርዝር ያስፈልጋል {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ግብይቱ ላይ ይሰላሉ. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,በሰብአዊ ሀብት> የሰው ሠራሽ ቅንጅቶች ውስጥ የሰራተኛ መለያ ስም መስሪያ ስርዓት ያዋቅሩ DocType: Delivery Trip,MAT-DT-.YYYY.-,ማት-ዱብ-ያዮያን.- DocType: Purchase Order,Customer Contact,የደንበኛ ያግኙን DocType: Shift Type,Enable Auto Attendance,በራስ መገኘትን ያንቁ። @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,ሁሉም አቅራቢው ያግኙን DocType: Support Settings,Support Settings,የድጋፍ ቅንብሮች apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},መለያ {0} በልጆች ኩባንያ ውስጥ ታክሏል {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,ልክ ያልሆኑ መረጃዎች +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,ከቤት ምልክት ያድርጉ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC አለ (በሙሉ ኦፕሬም ክፍል ውስጥም ቢሆን) DocType: Amazon MWS Settings,Amazon MWS Settings,የ Amazon MWS ቅንብሮች apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,ቫውቸሮችን በመስራት ላይ @@ -407,7 +407,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,የእሴት apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,የአባልነት ዝርዝሮች apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: አቅራቢው ተከፋይ ሂሳብ ላይ ያስፈልጋል {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,ንጥሎች እና የዋጋ አሰጣጥ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ደንበኛ> የደንበኛ ቡድን> ግዛት apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},ጠቅላላ ሰዓት: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},ቀን ጀምሮ በ የበጀት ዓመት ውስጥ መሆን አለበት. ቀን ጀምሮ ከወሰድን = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-yYYYY.- @@ -770,6 +769,7 @@ DocType: Request for Quotation,Request for Quotation,ትዕምርተ ጥያቄ DocType: Healthcare Settings,Require Lab Test Approval,የቤተሙከራ ፍቃድ ማፅደቅ ጠይቅ DocType: Attendance,Working Hours,የስራ ሰዓት apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,ድምር ውጤት +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM የልወጣ ሁኔታ ({0} -> {1}) ለንጥል አልተገኘም {{2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,አንድ ነባር ተከታታይ ጀምሮ / የአሁኑ ቅደም ተከተል ቁጥር ለውጥ. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,በሚታዘዘው መጠን ላይ ተጨማሪ ሂሳብ እንዲከፍሉ ተፈቅዶልዎታል። ለምሳሌ-የትእዛዝ ዋጋ ለአንድ ነገር $ 100 ዶላር ከሆነ እና መቻቻል 10% ሆኖ ከተቀናበረ $ 110 እንዲከፍሉ ይፈቀድልዎታል። DocType: Dosage Strength,Strength,ጥንካሬ @@ -1258,7 +1258,6 @@ DocType: Timesheet,Total Billed Hours,ጠቅላላ የሚከፈል ሰዓቶች DocType: Pricing Rule Item Group,Pricing Rule Item Group,የዋጋ አሰጣጥ ደንብ ንጥል። DocType: Travel Itinerary,Travel To,ወደ ተጓዙ apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,የልውውጥ ደረጃ ግምገማ ጌታ። -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,እባክዎን ለተማሪ ተገኝነት በማዋቀር> በቁጥር ተከታታይ በኩል ያዘጋጁ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,መጠን ጠፍቷል ይጻፉ DocType: Leave Block List Allow,Allow User,ተጠቃሚ ፍቀድ DocType: Journal Entry,Bill No,ቢል ምንም @@ -1611,6 +1610,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,ማበረታቻዎች apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ዋጋዎች ከማመሳሰል ውጭ apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,ልዩነት እሴት +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,እባክዎን ለተማሪ ተገኝነት በማዋቀር> በቁጥር ተከታታይ በኩል ያዘጋጁ DocType: SMS Log,Requested Numbers,ተጠይቋል ዘኍልቍ DocType: Volunteer,Evening,ምሽት DocType: Quiz,Quiz Configuration,የጥያቄዎች ውቅር። @@ -1778,6 +1778,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,ከቦታ DocType: Student Admission,Publish on website,ድር ላይ ያትሙ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,አቅራቢው ደረሰኝ ቀን መለጠፍ ቀን በላይ ሊሆን አይችልም DocType: Installation Note,MAT-INS-.YYYY.-,ማታ-ግባ-አመድ.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,የንጥል ኮድ> የንጥል ቡድን> የምርት ስም DocType: Subscription,Cancelation Date,የመሰረዝ ቀን DocType: Purchase Invoice Item,Purchase Order Item,ትዕዛዝ ንጥል ይግዙ DocType: Agriculture Task,Agriculture Task,የግብርና ስራ @@ -2378,7 +2379,6 @@ DocType: Promotional Scheme,Product Discount Slabs,የምርት ቅናሽ ባሮ DocType: Target Detail,Target Distribution,ዒላማ ስርጭት DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-ጊዜያዊ ግምገማ ማጠናቀቅ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,ፓርቲዎችን እና አድራሻዎችን ማስመጣት ፡፡ -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM የልወጣ ሁኔታ ({0} -> {1}) ለእንጥል አልተገኘም {{2} DocType: Salary Slip,Bank Account No.,የባንክ ሂሳብ ቁጥር DocType: Naming Series,This is the number of the last created transaction with this prefix,ይህ የዚህ ቅጥያ ጋር የመጨረሻ የፈጠረው የግብይት ቁጥር ነው DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2770,6 +2770,9 @@ DocType: Company,Default Holiday List,የበዓል ዝርዝር ነባሪ DocType: Pricing Rule,Supplier Group,የአቅራቢ ቡድን apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} አጭር መግለጫ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},ረድፍ {0}: ታይም እና ወደ ጊዜ ጀምሮ {1} ጋር ተደራቢ ነው {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",BOM የሚል ስም ያለው {0} ለንጥል አስቀድሞ አለ {1}።
እቃውን እንደገና ሰይመውታል? እባክዎ አስተዳዳሪ / ቴክ ድጋፍን ያነጋግሩ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,የክምችት ተጠያቂነቶች DocType: Purchase Invoice,Supplier Warehouse,አቅራቢው መጋዘን DocType: Opportunity,Contact Mobile No,የእውቂያ ሞባይል የለም @@ -3211,6 +3214,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,ጥራት ያለው ስብሰባ ሰንጠረዥ ፡፡ apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,መድረኮችን ይጎብኙ +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,ተግባሩን ማጠናቀቅ አልተቻለም {0} እንደ ጥገኛ ተግባሩ {1} አልተጠናቀቀም / ተሰር .ል። DocType: Student,Student Mobile Number,የተማሪ የተንቀሳቃሽ ስልክ ቁጥር DocType: Item,Has Variants,ተለዋጮች አለው DocType: Employee Benefit Claim,Claim Benefit For,የድጐማ ማመልከት ለ @@ -3368,7 +3372,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),ጠቅላላ የሂሳብ apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,የክፍያ የጊዜ ሰሌዳ ይፍጠሩ። apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,ድገም የደንበኛ ገቢ DocType: Soil Texture,Silty Clay Loam,ሸር ክሌይ ሎማ -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,እባክዎ በትምህርቱ> የትምህርት ቅንብሮች ውስጥ አስተማሪ ስም ማጎሪያ ስርዓት ያዋቅሩ DocType: Quiz,Enter 0 to waive limit,ገደብ ለመተው 0 ያስገቡ። DocType: Bank Statement Settings,Mapped Items,የተቀረጹ እቃዎች DocType: Amazon MWS Settings,IT,IT @@ -3402,7 +3405,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",ከ {0} ጋር የተገናኙ ወይም በቂ የተገናኙ ንብረቶች የሉም። \ እባክዎን {1} ንብረቶችን ከሚመለከታቸው ሰነዶች ጋር ይፍጠሩ ወይም ያገናኙ ፡፡ DocType: Pricing Rule,Apply Rule On Brand,የምርት ስም ደንቡን ላይ ይተግብሩ። DocType: Task,Actual End Date (via Time Sheet),ትክክለኛው መጨረሻ ቀን (ሰዓት ሉህ በኩል) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,ተግባሩን መዝጋት አልተቻለም {0} እንደ ጥገኛ ተግባሩ {1} ዝግ አይደለም። DocType: Soil Texture,Soil Type,የአፈር አይነት apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},የገንዘብ መጠን {0} {1} ላይ {2} {3} ,Quotation Trends,በትዕምርተ ጥቅስ አዝማሚያዎች @@ -3432,6 +3434,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,የራስ-መንዳት ተሽ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,የአቅራቢ ካርድ መስጫ ቋሚ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},ረድፍ {0}: ቁሳቁሶች መካከል ቢል ንጥል አልተገኘም {1} DocType: Contract Fulfilment Checklist,Requirement,መስፈርቶች +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,በሰብአዊ ሀብት> የሰው ሠራሽ ቅንጅቶች ውስጥ የሰራተኛ መለያ ስም መስሪያ ስርዓት ያዋቅሩ DocType: Journal Entry,Accounts Receivable,ለመቀበል የሚቻሉ አካውንቶች DocType: Quality Goal,Objectives,ዓላማዎች ፡፡ DocType: HR Settings,Role Allowed to Create Backdated Leave Application,የቀደመ ፈቃድ ማመልከቻን ለመፍጠር የተፈቀደ ሚና @@ -3573,6 +3576,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,የተተገበረ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,የውጪ አቅርቦቶች እና የውስጥ አቅርቦቶች ዝርዝር ክፍያን ለመቀልበስ ተጠያቂ ናቸው። apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,ዳግም-ክፈት +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,አይፈቀድም. እባክዎ የላብራቶሪ ሙከራ አብነቱን ያሰናክሉ DocType: Sales Invoice Item,Qty as per Stock UOM,ብዛት የአክሲዮን UOM መሰረት apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 ስም apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,ሮያል ኩባንያ @@ -3656,7 +3660,6 @@ DocType: Payment Request,Transaction Details,የግብይት ዝርዝሮች apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,ፕሮግራም ለማግኘት 'ፍጠር ፕሮግራም »ላይ ጠቅ ያድርጉ DocType: Item,"Purchase, Replenishment Details",ይግዙ ፣ የመተካት ዝርዝሮች። DocType: Products Settings,Enable Field Filters,የመስክ ማጣሪያዎችን ያንቁ። -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,የንጥል ኮድ> የንጥል ቡድን> የምርት ስም apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also",“በደንበኞች የቀረበ ንጥል” እንዲሁ የግ Pur ንጥል ሊሆን አይችልም ፡፡ DocType: Blanket Order Item,Ordered Quantity,የዕቃው መረጃ ብዛት apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",ለምሳሌ "ግንበኞች ለ መሣሪያዎች ገንባ" @@ -4125,7 +4128,7 @@ DocType: BOM,Operating Cost (Company Currency),የክወና ወጪ (የኩባን DocType: Authorization Rule,Applicable To (Role),የሚመለከታቸው ለማድረግ (ሚና) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,በመጠባበቅ ላይ ያሉ ቅጠል DocType: BOM Update Tool,Replace BOM,BOM ይተኩ -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,ኮድ {0} አስቀድሞም ይገኛል +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,ኮድ {0} አስቀድሞም ይገኛል DocType: Patient Encounter,Procedures,ሂደቶች apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,የሽያጭ ትዕዛዞች ለምርት አይገኙም DocType: Asset Movement,Purpose,ዓላማ @@ -4568,7 +4571,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,ደመወዝ ይመዝገቡ DocType: Company,Default warehouse for Sales Return,ለሽያጭ ተመላሽ ነባሪ መጋዘን DocType: Pick List,Parent Warehouse,የወላጅ መጋዘን -DocType: Subscription,Net Total,የተጣራ ጠቅላላ +DocType: C-Form Invoice Detail,Net Total,የተጣራ ጠቅላላ apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",በማምረቻ ቀን እና የመደርደሪያ-ሕይወት ላይ በመመርኮዝ ማብቂያ ላይ ቀንን ለማብራት የዕቃ መደርደሪያው ሕይወት ይመድቡ። apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},ነባሪ BOM ንጥል አልተገኘም {0} እና ፕሮጀክት {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,ረድፍ {0}: - እባክዎ የክፍያ አፈፃፀም ሁኔታን በክፍያ መርሃግብር ያዘጋጁ። @@ -4683,7 +4686,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},የዒላማ የመጋዘን ረድፍ ግዴታ ነው {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,የችርቻሮ አሠራሮች ፡፡ DocType: Cheque Print Template,Primary Settings,ዋና ቅንብሮች -DocType: Attendance Request,Work From Home,ከቤት ስራ ይስሩ +DocType: Attendance,Work From Home,ከቤት ስራ ይስሩ DocType: Purchase Invoice,Select Supplier Address,ይምረጡ አቅራቢው አድራሻ apps/erpnext/erpnext/public/js/event.js,Add Employees,ሰራተኞችን አክል DocType: Purchase Invoice Item,Quality Inspection,የጥራት ምርመራ @@ -4925,8 +4928,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,የማረጋገጫ ዩ አር ኤል apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},የገንዘብ መጠን {0} {1} {2} {3} DocType: Account,Depreciation,የእርጅና -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","ይህንን ሰነድ ለመሰረዝ እባክዎ ሰራተኛውን {0} \ ያጥፉ" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,የአክሲዮኖች ቁጥር እና የማካካሻ ቁጥሮች ወጥ ናቸው apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),አቅራቢው (ዎች) DocType: Employee Attendance Tool,Employee Attendance Tool,የሰራተኛ ክትትል መሣሪያ @@ -5231,7 +5232,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,የአትክልት ት DocType: Cheque Print Template,Cheque Height,ቼክ ቁመት DocType: Supplier,Supplier Details,አቅራቢ ዝርዝሮች DocType: Setup Progress,Setup Progress,የማዋቀር ሂደት -DocType: Expense Claim,Approval Status,የማጽደቅ ሁኔታ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},እሴት ረድፍ ውስጥ እሴት ያነሰ መሆን አለበት ከ {0} DocType: Program,Intro Video,መግቢያ ቪዲዮ። DocType: Manufacturing Settings,Default Warehouses for Production,ለምርት ነባሪ መጋዘኖች @@ -5570,7 +5570,6 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,ይሽጡ DocType: Purchase Invoice,Rounded Total,የከበበ ጠቅላላ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,የ {0} የስልክ ጥቅሎች ወደ መርሐግብሩ አይታከሉም DocType: Product Bundle,List items that form the package.,የጥቅል እንድናቋቁም ዝርዝር ንጥሎች. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,አይፈቀድም. እባክዎን የሙከራ ቅጽዎን ያጥፉ DocType: Sales Invoice,Distance (in km),ርቀት (በኬሜ) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,መቶኛ ምደባዎች 100% ጋር እኩል መሆን አለበት apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,ፓርቲ በመምረጥ በፊት መለጠፍ ቀን ይምረጡ @@ -5700,7 +5699,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,የዋጋ ዝርዝር ምንዛሪ ተመን apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,ሁሉም አቅራቢ ድርጅቶች DocType: Employee Boarding Activity,Required for Employee Creation,ለሠራተኛ ፈጠራ ይፈለጋል -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,አቅራቢ> የአቅራቢ ዓይነት apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},የመለያ ቁጥር {0} አስቀድሞ በመለያ {1} ውስጥ ጥቅም ላይ ውሏል DocType: GoCardless Mandate,Mandate,ኃላፊ DocType: Hotel Room Reservation,Booked,ተይዟል @@ -5766,7 +5764,6 @@ DocType: Production Plan Item,Product Bundle Item,የምርት ጥቅል ንጥ DocType: Sales Partner,Sales Partner Name,የሽያጭ የአጋር ስም apps/erpnext/erpnext/hooks.py,Request for Quotations,ጥቅሶች ጠይቅ DocType: Payment Reconciliation,Maximum Invoice Amount,ከፍተኛው የደረሰኝ የገንዘብ መጠን -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,የባንክ አካውንት.validate_iban () ለ ባዶ IBAN አልተሳካም። DocType: Normal Test Items,Normal Test Items,መደበኛ የተሞሉ ንጥሎች DocType: QuickBooks Migrator,Company Settings,የድርጅት ቅንብሮች DocType: Additional Salary,Overwrite Salary Structure Amount,የደመወዝ መዋቅሩን መጠን መመለስ @@ -5917,6 +5914,7 @@ DocType: Issue,Resolution By Variance,ጥራት በልዩነት ፡፡ DocType: Leave Allocation,Leave Period,ጊዜውን ይተው DocType: Item,Default Material Request Type,ነባሪ የቁስ ጥያቄ አይነት DocType: Supplier Scorecard,Evaluation Period,የግምገማ ጊዜ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ደንበኛ> የደንበኛ ቡድን> ግዛት apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,ያልታወቀ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,የሥራ ትዕዛዝ አልተፈጠረም apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6275,8 +6273,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,ተከ DocType: Material Request Plan Item,Required Quantity,የሚፈለግ ብዛት። DocType: Lab Test Template,Lab Test Template,የሙከራ መለኪያ አብነት apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},የሂሳብ ጊዜ ከ {0} ጋር ይደራረባል +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,አቅራቢ> የአቅራቢ ዓይነት apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,የሽያጭ መለያ DocType: Purchase Invoice Item,Total Weight,ጠቅላላ ክብደት +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ይህንን ሰነድ ለመሰረዝ እባክዎ ሰራተኛውን {0} \ ያጥፉ" DocType: Pick List Item,Pick List Item,ዝርዝር ንጥል ይምረጡ። apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,የሽያጭ ላይ ኮሚሽን DocType: Job Offer Term,Value / Description,እሴት / መግለጫ @@ -6391,6 +6392,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,የተፈረመበት DocType: Bank Account,Party Type,የድግስ አይነት DocType: Discounted Invoice,Discounted Invoice,የተቀነሰ የክፍያ መጠየቂያ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,ተገኝነትን እንደ ምልክት ያድርጉ DocType: Payment Schedule,Payment Schedule,የክፍያ ዕቅድ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ለተጠቀሰው የሰራተኛ የመስክ እሴት ምንም ተቀጣሪ አልተገኘም። '{}': {} DocType: Item Attribute Value,Abbreviation,ማላጠር @@ -6492,7 +6494,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,ለተያዘበት ምክ DocType: Employee,Personal Email,የግል ኢሜይል apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,ጠቅላላ ልዩነት DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","የነቃ ከሆነ, ስርዓት በራስ ሰር ክምችት ለ የሂሳብ ግቤቶች መለጠፍ ነው." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},የባንክ አካውንት.validate_iban () ተቀባይነት ያለው ልክ ያልሆነ IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,የደላላ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,ሠራተኛ {0} ክትትልን ቀድሞውኑ ለዚህ ቀን ምልክት ነው DocType: Work Order Operation,"in Minutes @@ -6762,6 +6763,7 @@ DocType: Appointment,Customer Details,የደንበኛ ዝርዝሮች apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS 1099 ቅጾችን ያትሙ ፡፡ DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,ቋሚ ንብረቶች መከላከልን ወይም ጥንካሬን ይጠይቁ apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,የኩባንያ አህጽሮ ከ 5 በላይ ቁምፊዎች ሊኖረው አይችልም +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,የወላጅ ኩባንያ የቡድን ኩባንያ መሆን አለበት DocType: Employee,Reports to,ወደ ሪፖርቶች ,Unpaid Expense Claim,ያለክፍያ የወጪ የይገባኛል ጥያቄ DocType: Payment Entry,Paid Amount,የሚከፈልበት መጠን @@ -6849,6 +6851,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp ቆጠራ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,ሁለቱም የፍርድ ሂደት የመጀመሪያ ቀን እና ሙከራ ክፍለ ጊዜ ማብቂያ ቀን መዘጋጀት አለበት apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,አማካኝ ደረጃ +DocType: Appointment,Appointment With,ቀጠሮ በ apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ጠቅላላ የክፍያ መጠን በክፍያ ሠንጠረዥ ውስጥ ከትልቅ / ጠቅላላ ድምር ጋር መሆን አለበት apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",“በደንበኞች የቀረበ ንጥል” የዋጋ ምጣኔ ሊኖረው አይችልም ፡፡ DocType: Subscription Plan Detail,Plan,ዕቅድ @@ -6981,7 +6984,6 @@ DocType: Customer,Customer Primary Contact,የደንበኛ ዋና ደረጃ ግ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / በእርሳስ% DocType: Bank Guarantee,Bank Account Info,የባንክ መለያ መረጃ DocType: Bank Guarantee,Bank Guarantee Type,የባንክ ዋስትና ቃል አይነት -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},የባንክ መለያ DocType: Payment Schedule,Invoice Portion,የገንዘብ መጠየቂያ ደረሰኝ ,Asset Depreciations and Balances,የንብረት Depreciations እና ሚዛን apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},የገንዘብ መጠን {0} {1} ይተላለፋል {2} ወደ {3} @@ -7643,7 +7645,6 @@ DocType: Dosage Form,Dosage Form,የመመገቢያ ቅጽ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},እባክዎ በዘመቻው ውስጥ የዘመቻ መርሃግብር ያቀናብሩ {0} apps/erpnext/erpnext/config/buying.py,Price List master.,የዋጋ ዝርዝር ጌታቸው. DocType: Task,Review Date,ግምገማ ቀን -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,ተገኝነትን እንደ ምልክት ያድርጉ DocType: BOM,Allow Alternative Item,አማራጭ ንጥል ፍቀድ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,የግ Rece ደረሰኝ Retain Sample የሚነቃበት ምንም ንጥል የለውም። apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,የክፍያ መጠየቂያ ግራንድ አጠቃላይ። @@ -7871,7 +7872,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,ከፍተኛ ድጋሚ ገደብ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,የዋጋ ዝርዝር አልተገኘም ወይም ተሰናክሏል አይደለም DocType: Content Activity,Last Activity ,የመጨረሻው እንቅስቃሴ ፡፡ -DocType: Student Applicant,Approved,ጸድቋል DocType: Pricing Rule,Price,ዋጋ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} መዘጋጀት አለበት ላይ እፎይታ ሠራተኛ 'ግራ' እንደ DocType: Guardian,Guardian,ሞግዚት @@ -8042,6 +8042,7 @@ DocType: Taxable Salary Slab,Percent Deduction,መቶኛ ማስተካከያ DocType: GL Entry,To Rename,እንደገና ለመሰየም። DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,መለያ ቁጥር ለማከል ይምረጡ። +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,እባክዎ በትምህርቱ> የትምህርት ቅንብሮች ውስጥ የትምህርት አሰጣጥ / መለያ መመሪያን ያዋቅሩ apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',እባክዎ ለደንበኛው '% s' የፊስካል ኮድ ያዘጋጁ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,እባክዎ መጀመሪያ ኩባንያውን ይምረጡ DocType: Item Attribute,Numeric Values,ቁጥራዊ እሴቶች @@ -8058,6 +8059,7 @@ DocType: Salary Detail,Additional Amount,ተጨማሪ መጠን። apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,ጋሪ ባዶ ነው apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",እቃ {0} እሴይ ቁጥር የለውም. በመደበኛ ቁጥር ላይ ተመስርቶ ልውውጥ መድረስ ይችላል +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,የተቀነሰ መጠን DocType: Vehicle,Model,ሞዴል DocType: Work Order,Actual Operating Cost,ትክክለኛ ማስኬጃ ወጪ DocType: Payment Entry,Cheque/Reference No,ቼክ / ማጣቀሻ የለም diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv index b9b64d787c..0b2dea4733 100644 --- a/erpnext/translations/ar.csv +++ b/erpnext/translations/ar.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,معيار الإعفاء DocType: Exchange Rate Revaluation Account,New Exchange Rate,سعر صرف جديد apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},العملة مطلوبة لقائمة الأسعار {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* سيتم احتسابه في المعاملة. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,يرجى إعداد نظام تسمية الموظف في الموارد البشرية> إعدادات الموارد البشرية DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,معلومات اتصال العميل DocType: Shift Type,Enable Auto Attendance,تمكين الحضور التلقائي @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,بيانات اتصال جميع الم DocType: Support Settings,Support Settings,إعدادات الدعم apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},تتم إضافة الحساب {0} في الشركة التابعة {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,بيانات الاعتماد غير صالحة +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,مارك العمل من المنزل apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),مركز التجارة الدولية متاح (سواء في جزء المرجع الكامل) DocType: Amazon MWS Settings,Amazon MWS Settings,إعدادات الأمازون MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,تجهيز القسائم @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,البند ضر apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,تفاصيل العضوية apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: المورد مطلوب بالمقابلة بالحساب الدائن {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,الاصناف والتسعيرات -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,العملاء> مجموعة العملاء> الإقليم apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},مجموع الساعات: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},(من التاريخ) يجب أن يكون ضمن السنة المالية. بافتراض (من التاريخ) = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,الخيار المحدد DocType: SG Creation Tool Course,SG Creation Tool Course,سان جرمان إنشاء ملعب أداة DocType: Bank Statement Transaction Invoice Item,Payment Description,وصف الدفع -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,يرجى تعيين سلسلة التسمية لـ {0} عبر الإعداد> الإعدادات> سلسلة التسمية apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,المالية غير كافية DocType: Email Digest,New Sales Orders,طلب مبيعات جديد DocType: Bank Account,Bank Account,حساب مصرفي @@ -774,6 +772,7 @@ DocType: Request for Quotation,Request for Quotation,طلب للحصول على DocType: Healthcare Settings,Require Lab Test Approval,يلزم الموافقة على اختبار المختبر DocType: Attendance,Working Hours,ساعات العمل apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,إجمالي المعلقة +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},معامل تحويل UOM ({0} -> {1}) غير موجود للعنصر: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,تغيير رقم تسلسل بدء / الحالي من سلسلة الموجودة. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,النسبة المئوية المسموح لك بدفعها أكثر مقابل المبلغ المطلوب. على سبيل المثال: إذا كانت قيمة الطلبية 100 دولار للعنصر وتم تعيين التسامح على 10 ٪ ، فيُسمح لك بدفع فاتورة بمبلغ 110 دولارات. DocType: Dosage Strength,Strength,قوة @@ -1262,7 +1261,6 @@ DocType: Timesheet,Total Billed Hours,مجموع الساعات وصفت DocType: Pricing Rule Item Group,Pricing Rule Item Group,مجموعة قاعدة التسعير DocType: Travel Itinerary,Travel To,يسافر إلى apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,سيد إعادة تقييم سعر الصرف. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عبر الإعداد> سلسلة الترقيم apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,شطب المبلغ DocType: Leave Block List Allow,Allow User,تسمح للمستخدم DocType: Journal Entry,Bill No,رقم الفاتورة @@ -1634,6 +1632,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,الحوافز apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,القيم خارج المزامنة apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,قيمة الفرق +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عبر الإعداد> سلسلة الترقيم DocType: SMS Log,Requested Numbers,الأرقام المطلوبة DocType: Volunteer,Evening,مساء DocType: Quiz,Quiz Configuration,مسابقة التكوين @@ -1801,6 +1800,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,من ال DocType: Student Admission,Publish on website,نشر على الموقع الإلكتروني apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,المورد تاريخ الفاتورة لا يمكن أن يكون أكبر من تاريخ النشر DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,كود الصنف> مجموعة الصنف> العلامة التجارية DocType: Subscription,Cancelation Date,تاريخ الإلغاء DocType: Purchase Invoice Item,Purchase Order Item,صنف امر الشراء DocType: Agriculture Task,Agriculture Task,مهمة زراعية @@ -2401,7 +2401,6 @@ DocType: Promotional Scheme,Product Discount Slabs,ألواح خصم المنت DocType: Target Detail,Target Distribution,هدف التوزيع DocType: Purchase Invoice,06-Finalization of Provisional assessment,06- الانتهاء من التقييم المؤقت apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,استيراد الأطراف والعناوين -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},معامل تحويل UOM ({0} -> {1}) غير موجود للعنصر: {2} DocType: Salary Slip,Bank Account No.,رقم الحساب في البك DocType: Naming Series,This is the number of the last created transaction with this prefix,هذا هو عدد المعاملات التي تم إنشاؤها باستخدام مشاركة هذه البادئة DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2794,6 +2793,9 @@ DocType: Company,Default Holiday List,قائمة العطل الافتراضية DocType: Pricing Rule,Supplier Group,مجموعة الموردين apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} الملخص apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},صف {0}: (من الوقت) و (إلى وقت) ل {1} يتداخل مع {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",BOM بالاسم {0} موجود بالفعل للعنصر {1}.
هل قمت بإعادة تسمية العنصر؟ يرجى الاتصال بدعم المسؤول / التقنية apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,خصوم المخزون DocType: Purchase Invoice,Supplier Warehouse,المورد مستودع DocType: Opportunity,Contact Mobile No,الاتصال المحمول لا @@ -3237,6 +3239,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,جدول اجتماع الجودة apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,زيارة المنتديات +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,لا يمكن إكمال المهمة {0} لأن المهمة التابعة {1} ليست مكتملة / ملغاة. DocType: Student,Student Mobile Number,طالب عدد موبايل DocType: Item,Has Variants,يحتوي على متغيرات DocType: Employee Benefit Claim,Claim Benefit For,فائدة للمطالبة @@ -3395,7 +3398,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),المبلغ الكلي ال apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,إنشاء جدول الرسوم apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,ايرادات الزبائن المكررين DocType: Soil Texture,Silty Clay Loam,سيلتي كلاي لوم -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,يرجى إعداد نظام تسمية المدرب في التعليم> إعدادات التعليم DocType: Quiz,Enter 0 to waive limit,أدخل 0 للتنازل عن الحد DocType: Bank Statement Settings,Mapped Items,الاصناف المعينة DocType: Amazon MWS Settings,IT,IT @@ -3429,7 +3431,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",لا توجد مادة عرض كافية أو مرتبطة بـ {0}. \ الرجاء إنشاء أو ربط {1} الأصول بالوثيقة المعنية. DocType: Pricing Rule,Apply Rule On Brand,تطبيق القاعدة على العلامة التجارية DocType: Task,Actual End Date (via Time Sheet),تاريخ الإنتهاء الفعلي (عبر ورقة الوقت) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,لا يمكن إغلاق المهمة {0} لأن المهمة التابعة {1} ليست مغلقة. DocType: Soil Texture,Soil Type,نوع التربة apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},مبلغ {0} {1} مقابل {2} {3} ,Quotation Trends,مؤشرات المناقصة @@ -3459,6 +3460,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,سيارة ذاتية القي DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,المورد بطاقة الأداء الدائمة apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},صف {0}: من مواد مشروع القانون لم يتم العثور على هذا البند {1} DocType: Contract Fulfilment Checklist,Requirement,المتطلبات +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,يرجى إعداد نظام تسمية الموظف في الموارد البشرية> إعدادات الموارد البشرية DocType: Journal Entry,Accounts Receivable,حسابات القبض DocType: Quality Goal,Objectives,الأهداف DocType: HR Settings,Role Allowed to Create Backdated Leave Application,الدور المسموح به لإنشاء تطبيق إجازة Backdated @@ -3600,6 +3602,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,طُبق apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,تفاصيل اللوازم الخارجية واللوازم الداخلية عرضة للشحن العكسي apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,إعادة فتح +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,غير مسموح به. يرجى تعطيل قالب الاختبار المعملي DocType: Sales Invoice Item,Qty as per Stock UOM,الكمية حسب السهم لوحدة قياس السهم apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,اسم Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,شركة الجذر @@ -3658,6 +3661,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,نوع من الاعمال DocType: Sales Invoice,Consumer,مستهلك apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",الرجاء تحديد القيمة المخصصة و نوع الفاتورة ورقم الفاتورة على الأقل في صف واحد +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,يرجى تعيين سلسلة التسمية لـ {0} عبر الإعداد> الإعدادات> سلسلة التسمية apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,تكلفة الشراء الجديد apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},اوامر البيع المطلوبة القطعة ل {0} DocType: Grant Application,Grant Description,وصف المنحة @@ -3683,7 +3687,6 @@ DocType: Payment Request,Transaction Details,تفاصيل الصفقه apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"يرجى النقر على ""إنشاء الجدول الزمني"" للحصول على الجدول الزمني" DocType: Item,"Purchase, Replenishment Details",شراء ، تفاصيل التجديد DocType: Products Settings,Enable Field Filters,تمكين عوامل التصفية الميدانية -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,كود الصنف> مجموعة الصنف> العلامة التجارية apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","""الأصناف المقدمة من العملاء"" لا يمكن شرائها" DocType: Blanket Order Item,Ordered Quantity,الكمية التي تم طلبها apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","مثلا، ""أدوات البناء للبنائين""" @@ -4153,7 +4156,7 @@ DocType: BOM,Operating Cost (Company Currency),تكاليف التشغيل (عم DocType: Authorization Rule,Applicable To (Role),قابلة للتطبيق على (الدور الوظيفي) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,الأوراق المعلقة DocType: BOM Update Tool,Replace BOM,استبدال بوم -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,الرمز {0} موجود بالفعل +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,الرمز {0} موجود بالفعل DocType: Patient Encounter,Procedures,الإجراءات apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,طلبات المبيعات غير متوفرة للإنتاج DocType: Asset Movement,Purpose,غرض @@ -4269,6 +4272,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,تجاهل تداخل و DocType: Warranty Claim,Service Address,عنوان الخدمة apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,استيراد البيانات الرئيسية DocType: Asset Maintenance Task,Calibration,معايرة +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,عنصر الاختبار المعملي {0} موجود بالفعل apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} عطلة للشركة apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ساعات للفوترة apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,ترك إخطار الحالة @@ -4631,7 +4635,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,راتب التسجيل DocType: Company,Default warehouse for Sales Return,المستودع الافتراضي لعائد المبيعات DocType: Pick List,Parent Warehouse,المستودع الأصل -DocType: Subscription,Net Total,صافي المجموع +DocType: C-Form Invoice Detail,Net Total,صافي المجموع apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",عيّن مدة صلاحية العنصر في أيام ، لضبط الصلاحية بناءً على تاريخ التصنيع بالإضافة إلى مدة الصلاحية. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},لم يتم العثور على قائمة المواد الافتراضية للمادة {0} والمشروع {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,الصف {0}: يرجى ضبط طريقة الدفع في جدول الدفع @@ -4746,7 +4750,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},المستودع المستهدف إلزامي لصف {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,عمليات بيع المفرق DocType: Cheque Print Template,Primary Settings,الإعدادات الأولية -DocType: Attendance Request,Work From Home,العمل من المنزل +DocType: Attendance,Work From Home,العمل من المنزل DocType: Purchase Invoice,Select Supplier Address,حدد مزود العناوين apps/erpnext/erpnext/public/js/event.js,Add Employees,إضافة موظفين DocType: Purchase Invoice Item,Quality Inspection,فحص الجودة @@ -4988,8 +4992,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,عنوان التخويل apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},القيمة {0} {1} {2} {3} DocType: Account,Depreciation,إهلاك -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","يرجى حذف الموظف {0} \ لإلغاء هذا المستند" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,عدد الأسهم وأعداد الأسهم غير متناسقة apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),المورد (ق) DocType: Employee Attendance Tool,Employee Attendance Tool,أداة الحضور للموظفين @@ -5294,7 +5296,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,معايير تحليل DocType: Cheque Print Template,Cheque Height,ارتفاع الصك DocType: Supplier,Supplier Details,تفاصيل المورد DocType: Setup Progress,Setup Progress,إعداد التقدم -DocType: Expense Claim,Approval Status,حالة الموافقة apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},(من القيمة) يجب أن تكون أقل من (الي القيمة) في الصف {0} DocType: Program,Intro Video,مقدمة الفيديو DocType: Manufacturing Settings,Default Warehouses for Production,المستودعات الافتراضية للإنتاج @@ -5635,7 +5636,6 @@ DocType: Purchase Invoice,Rounded Total,تقريب إجمالي apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,لا يتم إضافة الفتحات الخاصة بـ {0} إلى الجدول DocType: Product Bundle,List items that form the package.,قائمة اصناف التي تتشكل حزمة. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},الموقع المستهدف مطلوب أثناء نقل الأصول {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,غير مسموح به. الرجاء تعطيل نموذج الاختبار DocType: Sales Invoice,Distance (in km),المسافة (بالكيلومتر) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,مجموع النسب المخصصة يجب ان تساوي 100 % apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,يرجى اختيار تاريخ الترحيل قبل اختيار الطرف المعني @@ -5765,7 +5765,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,معدل سعر صرف قائمة apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,جميع مجموعات الموردين DocType: Employee Boarding Activity,Required for Employee Creation,مطلوب لإنشاء موظف -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,مورد> نوع المورد apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},رقم الحساب {0} بالفعل مستخدم في الحساب {1} DocType: GoCardless Mandate,Mandate,تفويض DocType: Hotel Room Reservation,Booked,حجز @@ -5831,7 +5830,6 @@ DocType: Production Plan Item,Product Bundle Item,المنتج حزمة البن DocType: Sales Partner,Sales Partner Name,اسم المندوب apps/erpnext/erpnext/hooks.py,Request for Quotations,طلب عروض مسعره DocType: Payment Reconciliation,Maximum Invoice Amount,الحد الأقصى لمبلغ الفاتورة -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,فشل BankAccount.validate_iban () لـ IBAN الفارغ DocType: Normal Test Items,Normal Test Items,عناصر الاختبار العادية DocType: QuickBooks Migrator,Company Settings,إعدادات الشركة DocType: Additional Salary,Overwrite Salary Structure Amount,الكتابة فوق هيكل الهيكل المرتب @@ -5982,6 +5980,7 @@ DocType: Issue,Resolution By Variance,القرار عن طريق التباين DocType: Leave Allocation,Leave Period,اترك فترة DocType: Item,Default Material Request Type,النوع الافتراضي لـ مستند 'طلب مواد' DocType: Supplier Scorecard,Evaluation Period,فترة التقييم +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,العملاء> مجموعة العملاء> الإقليم apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,غير معروف apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,أمر العمل لم يتم إنشاؤه apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6340,8 +6339,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,المس DocType: Material Request Plan Item,Required Quantity,الكمية المطلوبة DocType: Lab Test Template,Lab Test Template,قالب اختبار المختبر apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},فترة المحاسبة تتداخل مع {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,مورد> نوع المورد apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,حساب مبيعات DocType: Purchase Invoice Item,Total Weight,الوزن الكلي +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","يرجى حذف الموظف {0} \ لإلغاء هذا المستند" DocType: Pick List Item,Pick List Item,اختيار عنصر القائمة apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,عمولة على المبيعات DocType: Job Offer Term,Value / Description,القيمة / الوصف @@ -6456,6 +6458,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,تم تسجيل الدخول DocType: Bank Account,Party Type,نوع الحزب DocType: Discounted Invoice,Discounted Invoice,فاتورة مخفضة +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,علامة الحضور كما DocType: Payment Schedule,Payment Schedule,جدول الدفع apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},لم يتم العثور على موظف لقيمة حقل الموظف المحدد. '{}': {} DocType: Item Attribute Value,Abbreviation,اسم مختصر @@ -6557,7 +6560,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,سبب لوضع في الا DocType: Employee,Personal Email,البريد الالكتروني الشخصية apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,مجموع الفروق DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",إذا تم التمكين، سيقوم النظام بترحيل القيود المحاسبية الخاصة بالمخزون تلقائيا. -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},قبل BankAccount.validate_iban () IBAN غير صالح {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,أعمال سمسرة apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,تم بالفعل تسجيل الحضور للموظف {0} لهذا اليوم DocType: Work Order Operation,"in Minutes @@ -6828,6 +6830,7 @@ DocType: Appointment,Customer Details,تفاصيل العميل apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,طباعة نماذج مصلحة الضرائب 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,تحقق مما إذا كان الأصل تتطلب الصيانة الوقائية أو المعايرة apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,لا يمكن أن يحتوي اختصار الشركة على أكثر من 5 أحرف +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,يجب أن تكون الشركة الأم شركة مجموعة DocType: Employee,Reports to,إرسال التقارير إلى ,Unpaid Expense Claim,غير المسددة المطالبة النفقات DocType: Payment Entry,Paid Amount,المبلغ المدفوع @@ -6915,6 +6918,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,أوب كونت apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,يجب تعيين كل من تاريخ بدء الفترة التجريبية وتاريخ انتهاء الفترة التجريبية apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,المعدل المتوسط +DocType: Appointment,Appointment With,موعد مع apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,يجب أن يكون إجمالي مبلغ الدفع في جدول الدفع مساويا للمجموع الكبير / المستدير apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""الأصناف المقدمة من العملاء"" لا يمكن ان تحتوي على تكلفة" DocType: Subscription Plan Detail,Plan,خطة @@ -7049,7 +7053,6 @@ DocType: Customer,Customer Primary Contact,جهة الاتصال الرئيسي apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,أوب / ليد٪ DocType: Bank Guarantee,Bank Account Info,معلومات الحساب البنكي DocType: Bank Guarantee,Bank Guarantee Type,نوع الضمان المصرفي -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},فشل BankAccount.validate_iban () في IBAN {} صالح DocType: Payment Schedule,Invoice Portion,جزء الفاتورة ,Asset Depreciations and Balances,إستهلاك الأصول والأرصدة apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},القيمة {0} {1} نقلت من {2} إلى {3} @@ -7715,7 +7718,6 @@ DocType: Dosage Form,Dosage Form,شكل جرعات apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},يرجى إعداد جدول الحملة في الحملة {0} apps/erpnext/erpnext/config/buying.py,Price List master.,الماستر الخاص بقائمة الأسعار. DocType: Task,Review Date,مراجعة تاريخ -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,علامة الحضور كما DocType: BOM,Allow Alternative Item,السماح لصنف بديل apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,لا يحتوي إيصال الشراء على أي عنصر تم تمكين الاحتفاظ عينة به. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,الفاتورة الكبرى المجموع @@ -7943,7 +7945,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,الحد الأقصى لإعادة المحاولة apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,قائمة الأسعار غير موجودة أو تم تعطيلها DocType: Content Activity,Last Activity ,النشاط الاخير -DocType: Student Applicant,Approved,موافق عليه DocType: Pricing Rule,Price,السعر apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',الموظف الذي ترك العمل في {0} يجب أن يتم تحديده ' مغادر ' DocType: Guardian,Guardian,وصي @@ -8114,6 +8115,7 @@ DocType: Taxable Salary Slab,Percent Deduction,خصم في المئة DocType: GL Entry,To Rename,لإعادة تسمية DocType: Stock Entry,Repack,أعد حزم apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,حدد لإضافة الرقم التسلسلي. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,يرجى إعداد نظام تسمية المدرب في التعليم> إعدادات التعليم apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',يرجى ضبط الرمز المالي للعميل '٪ s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,يرجى تحديد الشركة أولا DocType: Item Attribute,Numeric Values,قيم رقمية @@ -8130,6 +8132,7 @@ DocType: Salary Detail,Additional Amount,مبلغ إضافي apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,السلة فارغة apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",لا يحتوي العنصر {0} على الرقم التسلسلي. فقط العناصر المسلسلة \ يمكن أن يكون التسليم على أساس الرقم التسلسلي +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,المبلغ المستهلك DocType: Vehicle,Model,نموذج DocType: Work Order,Actual Operating Cost,الفعلية تكاليف التشغيل DocType: Payment Entry,Cheque/Reference No,رقم الصك / السند المرجع diff --git a/erpnext/translations/bg.csv b/erpnext/translations/bg.csv index b0faefd3b5..ba1a9d04af 100644 --- a/erpnext/translations/bg.csv +++ b/erpnext/translations/bg.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Стандартна су DocType: Exchange Rate Revaluation Account,New Exchange Rate,Нов обменен курс apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Изисква се валута за Ценоразпис {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Ще се изчисли при транзакция. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Моля, настройте системата за именуване на служители в Човешки ресурси> Настройки за човешки ресурси" DocType: Delivery Trip,MAT-DT-.YYYY.-,МАТ-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Клиент - Контакти DocType: Shift Type,Enable Auto Attendance,Активиране на автоматично посещение @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,All доставчика Свържи DocType: Support Settings,Support Settings,Настройки на модул Поддръжка apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Профил {0} се добавя в дъщерната компания {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Невалидни идентификационни данни +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Маркирайте работа от вкъщи apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),Наличен ITC (независимо дали в пълната част) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Настройки apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Обработка на ваучери @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,"Сума на apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Детайли за членството apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: изисква се доставчик при сметка за задължения {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Позиции и ценообразуване -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Клиентска група> Територия apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Общо часове: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},"От дата трябва да бъде в рамките на фискалната година. Ако приемем, че от датата = {0}" DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Избрана опция DocType: SG Creation Tool Course,SG Creation Tool Course,ДВ Създаване Tool Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Описание на плащането -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Моля, задайте Именуване на серия за {0} чрез Настройка> Настройки> Наименуване на серия" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Недостатъчна наличност DocType: Email Digest,New Sales Orders,Нова поръчка за продажба DocType: Bank Account,Bank Account,Банкова Сметка @@ -774,6 +772,7 @@ DocType: Request for Quotation,Request for Quotation,Запитване за о DocType: Healthcare Settings,Require Lab Test Approval,Изисква се одобрение от лабораторни тестове DocType: Attendance,Working Hours,Работно Време apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Общо неизпълнени +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Коефициент на конверсия на UOM ({0} -> {1}) не е намерен за елемент: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Промяна на изходния / текущия номер за последователност на съществуваща серия. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Процент, който ви позволява да таксувате повече спрямо поръчаната сума. Например: Ако стойността на поръчката е 100 долара за артикул и толерансът е зададен като 10%, тогава можете да таксувате за 110 долара." DocType: Dosage Strength,Strength,сила @@ -1262,7 +1261,6 @@ DocType: Timesheet,Total Billed Hours,Общо Фактурирани Часа DocType: Pricing Rule Item Group,Pricing Rule Item Group,Правило за ценообразуване DocType: Travel Itinerary,Travel To,Пътувам до apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Мастер за оценка на валутния курс -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Моля, настройте сериите за номериране на посещаемостта чрез Настройка> Серия за номериране" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Сума за отписване DocType: Leave Block List Allow,Allow User,Позволи на потребителя DocType: Journal Entry,Bill No,Фактура - Номер @@ -1615,6 +1613,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Стимули apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Стойности извън синхронизирането apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Стойност на разликата +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Моля, настройте номерацията на сериите за присъствие чрез настройка> серия от номерация" DocType: SMS Log,Requested Numbers,Желани номера DocType: Volunteer,Evening,вечер DocType: Quiz,Quiz Configuration,Конфигурация на викторината @@ -1782,6 +1781,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,От мя DocType: Student Admission,Publish on website,Публикуване на интернет страницата apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,"Дата Доставчик на фактура не може да бъде по-голяма, отколкото Публикуване Дата" DocType: Installation Note,MAT-INS-.YYYY.-,МАТ-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на артикула> Група артикули> Марка DocType: Subscription,Cancelation Date,Дата на анулиране DocType: Purchase Invoice Item,Purchase Order Item,Поръчка за покупка Точка DocType: Agriculture Task,Agriculture Task,Задача за селското стопанство @@ -2382,7 +2382,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Плочи за отстъп DocType: Target Detail,Target Distribution,Цел - Разпределение DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Финализиране на временната оценка apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Вносители на страни и адреси -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Коефициент на конверсия на UOM ({0} -> {1}) не е намерен за елемент: {2} DocType: Salary Slip,Bank Account No.,Банкова сметка номер DocType: Naming Series,This is the number of the last created transaction with this prefix,Това е поредният номер на последната създадена сделката с този префикс DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2774,6 +2773,9 @@ DocType: Company,Default Holiday List,Списък на почивни дни п DocType: Pricing Rule,Supplier Group,Група доставчици apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Отчитайте apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: От време и До време на {1} се припокрива с {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ","BOM с име {0} вече съществува за елемент {1}.
Преименувахте ли елемента? Моля, свържете се с администратора / техническата поддръжка" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Сток Задължения DocType: Purchase Invoice,Supplier Warehouse,Доставчик Склад DocType: Opportunity,Contact Mobile No,Контакт - мобилен номер @@ -3216,6 +3218,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,МАТ-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Качествена среща за срещи apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Посетете форумите +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Не може да се изпълни задача {0}, тъй като нейната зависима задача {1} не е завършена / анулирана." DocType: Student,Student Mobile Number,Student мобилен номер DocType: Item,Has Variants,Има варианти DocType: Employee Benefit Claim,Claim Benefit For,Възползвайте се от обезщетението за @@ -3374,7 +3377,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Обща сума за пл apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Създайте такса apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Повторете Приходи Customer DocType: Soil Texture,Silty Clay Loam,Силти глинести лом -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Моля, настройте системата за именуване на инструктори в Образование> Настройки за образование" DocType: Quiz,Enter 0 to waive limit,"Въведете 0, за да откажете лимита" DocType: Bank Statement Settings,Mapped Items,Картирани елементи DocType: Amazon MWS Settings,IT,ТО @@ -3408,7 +3410,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.","Няма достатъчно активи, създадени или свързани с {0}. \ Моля, създайте или свържете {1} Активи със съответния документ." DocType: Pricing Rule,Apply Rule On Brand,Прилагане на правило на марката DocType: Task,Actual End Date (via Time Sheet),Действително Крайна дата (чрез Time Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Задачата не може да бъде затворена {0}, тъй като нейната зависима задача {1} не е затворена." DocType: Soil Texture,Soil Type,Тип на почвата apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Сума {0} {1} срещу {2} {3} ,Quotation Trends,Оферта Тенденции @@ -3438,6 +3439,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Самоходно превоз DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Стойност на таблицата с доставчици apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Спецификация на материалите не е намерена за позиция {1} DocType: Contract Fulfilment Checklist,Requirement,изискване +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Моля, настройте системата за именуване на служители в Човешки ресурси> Настройки за човешки ресурси" DocType: Journal Entry,Accounts Receivable,Вземания DocType: Quality Goal,Objectives,Цели DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Ролята е разрешена за създаване на резервно приложение за напускане @@ -3579,6 +3581,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,приложен apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,"Подробности за външните консумативи и вътрешните консумативи, подлежащи на обратно зареждане" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Пре-отворена +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,"Не е позволено. Моля, деактивирайте тестовия шаблон за лаборатория" DocType: Sales Invoice Item,Qty as per Stock UOM,Количество по мерна единица на склад apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Наименование Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3637,6 +3640,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Вид на бизнеса DocType: Sales Invoice,Consumer,Консуматор apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Моля изберете отпусната сума, Тип фактура и фактура Номер в поне един ред" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Моля, задайте Именуване на серия за {0} чрез Настройка> Настройки> Наименуване на серия" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Разходи за нова покупка apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Поръчка за продажба се изисква за позиция {0} DocType: Grant Application,Grant Description,Описание на безвъзмездните средства @@ -3662,7 +3666,6 @@ DocType: Payment Request,Transaction Details,Детайли за транзак apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"Моля, кликнете върху "Генериране Schedule", за да получите график" DocType: Item,"Purchase, Replenishment Details","Детайли за покупка, попълване" DocType: Products Settings,Enable Field Filters,Активиране на филтри за полета -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на артикула> Група артикули> Марка apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","„Клиент, предоставен от клиента“ също не може да бъде артикул за покупка" DocType: Blanket Order Item,Ordered Quantity,Поръчано количество apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",например "Билд инструменти за строители" @@ -4132,7 +4135,7 @@ DocType: BOM,Operating Cost (Company Currency),Експлоатационни р DocType: Authorization Rule,Applicable To (Role),Приложими по отношение на (Role) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Чакащи листа DocType: BOM Update Tool,Replace BOM,Замяна на BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Кодекс {0} вече съществува +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Кодекс {0} вече съществува DocType: Patient Encounter,Procedures,Процедури apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Поръчките за продажба не са налице за производство DocType: Asset Movement,Purpose,Предназначение @@ -4228,6 +4231,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Игнорирайте DocType: Warranty Claim,Service Address,Услуга - Адрес apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Импортиране на основни данни DocType: Asset Maintenance Task,Calibration,калибровка +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Тест на лабораторния тест {0} вече съществува apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} е фирмен празник apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Часове за плащане apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Оставете уведомление за състояние @@ -4578,7 +4582,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,Заплата Регистрирайте се DocType: Company,Default warehouse for Sales Return,По подразбиране склад за връщане на продажби DocType: Pick List,Parent Warehouse,Склад - Родител -DocType: Subscription,Net Total,Нето Общо +DocType: C-Form Invoice Detail,Net Total,Нето Общо apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Задайте срока на годност на артикула в дни, за да зададете срок на годност въз основа на дата на производство плюс срок на годност" apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Стандартният BOM не е намерен за елемент {0} и проект {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,"Ред {0}: Моля, задайте Начин на плащане в Схема за плащане" @@ -4693,7 +4697,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Целеви склад е задължителен за ред {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Операции на дребно DocType: Cheque Print Template,Primary Settings,Основни настройки -DocType: Attendance Request,Work From Home,Работа от вкъщи +DocType: Attendance,Work From Home,Работа от вкъщи DocType: Purchase Invoice,Select Supplier Address,Изберете доставчик Адрес apps/erpnext/erpnext/public/js/event.js,Add Employees,Добави Служители DocType: Purchase Invoice Item,Quality Inspection,Проверка на качеството @@ -4935,8 +4939,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,Упълномощен URL адрес apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Сума {0} {1} {2} {3} DocType: Account,Depreciation,Амортизация -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Моля, изтрийте Служителя {0} \, за да отмените този документ" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Броят на акциите и номерата на акциите са неконсистентни apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Доставчик (ци) DocType: Employee Attendance Tool,Employee Attendance Tool,Инструмент - Служител Присъствие @@ -5241,7 +5243,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Критерии за DocType: Cheque Print Template,Cheque Height,Чек Височина DocType: Supplier,Supplier Details,Доставчик - детайли DocType: Setup Progress,Setup Progress,Настройка на напредъка -DocType: Expense Claim,Approval Status,Одобрение Status apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},"От стойност трябва да е по-малко, отколкото стойността в ред {0}" DocType: Program,Intro Video,Въведение видео DocType: Manufacturing Settings,Default Warehouses for Production,Складове по подразбиране за производство @@ -5582,7 +5583,6 @@ DocType: Purchase Invoice,Rounded Total,Общо (закръглено) apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Слотовете за {0} не се добавят към графика DocType: Product Bundle,List items that form the package.,"Списък на елементите, които формират пакета." apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Целевото местоположение е задължително при прехвърляне на актив {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,"Не е разрешено. Моля, деактивирайте тестовия шаблон" DocType: Sales Invoice,Distance (in km),Разстояние (в км) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Процентно разпределение следва да е равно на 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Моля, изберете дата на завеждане, преди да изберете страна" @@ -5712,7 +5712,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Ценоразпис Валутен курс apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Всички групи доставчици DocType: Employee Boarding Activity,Required for Employee Creation,Изисква се за създаване на служители -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Доставчик> Тип доставчик apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},"Номер на профила {0}, вече използван в профила {1}" DocType: GoCardless Mandate,Mandate,мандат DocType: Hotel Room Reservation,Booked,Резервирано @@ -5778,7 +5777,6 @@ DocType: Production Plan Item,Product Bundle Item,Каталог Bundle Точк DocType: Sales Partner,Sales Partner Name,Търговски партньор - Име apps/erpnext/erpnext/hooks.py,Request for Quotations,Запитвания за оферти DocType: Payment Reconciliation,Maximum Invoice Amount,Максимална сума на фактурата -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () не бе изпратен за празен IBAN DocType: Normal Test Items,Normal Test Items,Нормални тестови елементи DocType: QuickBooks Migrator,Company Settings,Настройки на компанията DocType: Additional Salary,Overwrite Salary Structure Amount,Презаписване на сумата на структурата на заплатите @@ -5929,6 +5927,7 @@ DocType: Issue,Resolution By Variance,Резолюция по вариация DocType: Leave Allocation,Leave Period,Оставете период DocType: Item,Default Material Request Type,Тип заявка за материали по подразбиране DocType: Supplier Scorecard,Evaluation Period,Период на оценяване +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Клиентска група> Територия apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,неизвестен apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Работната поръчка не е създадена apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6287,8 +6286,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Необходимо количество DocType: Lab Test Template,Lab Test Template,Лабораторен тестов шаблон apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Счетоводният период се припокрива с {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Доставчик> Тип доставчик apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Профил за продажби DocType: Purchase Invoice Item,Total Weight,Общо тегло +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Моля, изтрийте Служителя {0} \, за да отмените този документ" DocType: Pick List Item,Pick List Item,Изберете елемент от списъка apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Комисионна за покупко-продажба DocType: Job Offer Term,Value / Description,Стойност / Описание @@ -6403,6 +6405,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Подписано DocType: Bank Account,Party Type,Тип Компания DocType: Discounted Invoice,Discounted Invoice,Фактура с отстъпка +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Отбележете присъствието като DocType: Payment Schedule,Payment Schedule,Схема на плащане apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Няма намерен служител за дадената стойност на полето на служителя. '{}': {} DocType: Item Attribute Value,Abbreviation,Абревиатура @@ -6504,7 +6507,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Причина за зад DocType: Employee,Personal Email,Личен имейл apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Общото отклонение DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ако е активирана, системата ще публикуваме счетоводни записвания за инвентара автоматично." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () прие невалиден IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Брокераж apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Присъствие на служител {0} вече е маркиран за този ден DocType: Work Order Operation,"in Minutes @@ -6774,6 +6776,7 @@ DocType: Appointment,Customer Details,Клиент - Детайли apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Печат IRS 1099 Форми DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Проверете дали активът изисква профилактична поддръжка или калибриране apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Абревиатурата на компанията не може да има повече от 5 знака +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Родителската компания трябва да е групова компания DocType: Employee,Reports to,Справки до ,Unpaid Expense Claim,Неплатен Expense Претенция DocType: Payment Entry,Paid Amount,Платената сума @@ -6861,6 +6864,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Трябва да се настрои и началната дата на пробния период и крайната дата на изпитателния период apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Средна цена +DocType: Appointment,Appointment With,Назначение С apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Общата сума за плащане в График на плащанията трябва да е равна на Голямо / Закръглено Общо apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","„Предмет, предоставен от клиента“ не може да има процент на оценка" DocType: Subscription Plan Detail,Plan,план @@ -6993,7 +6997,6 @@ DocType: Customer,Customer Primary Contact,Първичен контакт на apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Оп / Олово% DocType: Bank Guarantee,Bank Account Info,Информация за банкова сметка DocType: Bank Guarantee,Bank Guarantee Type,Вид банкова гаранция -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () не бе успешен за валиден IBAN {} DocType: Payment Schedule,Invoice Portion,Част от фактурите ,Asset Depreciations and Balances,Активи амортизации и баланси apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Сума {0} {1} прехвърля от {2} до {3} @@ -7657,7 +7660,6 @@ DocType: Dosage Form,Dosage Form,Доза от apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},"Моля, настройте графика на кампанията в кампанията {0}" apps/erpnext/erpnext/config/buying.py,Price List master.,Ценоразпис - основен. DocType: Task,Review Date,Преглед Дата -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Отбележете присъствието като DocType: BOM,Allow Alternative Item,Разрешаване на алтернативен елемент apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Покупка на разписка няма артикул, за който е активирана задържана проба." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Фактура Голяма Обща @@ -7885,7 +7887,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Макс apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Ценоразписът не е намерен или е деактивиран DocType: Content Activity,Last Activity ,Последна активност -DocType: Student Applicant,Approved,Одобрен DocType: Pricing Rule,Price,Цена apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Служител облекчение на {0} трябва да се зададе като "Ляв" DocType: Guardian,Guardian,пазач @@ -8056,6 +8057,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Процентно отчисле DocType: GL Entry,To Rename,За преименуване DocType: Stock Entry,Repack,Преопаковане apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Изберете, за да добавите сериен номер." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Моля, настройте системата за именуване на инструктори в Образование> Настройки за образование" apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Моля, задайте фискален код за клиента "% s"" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,"Моля, първо изберете фирмата" DocType: Item Attribute,Numeric Values,Числови стойности @@ -8072,6 +8074,7 @@ DocType: Salary Detail,Additional Amount,Допълнителна сума apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Количката е празна apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Елементът {0} няма сериен номер. Само сериализираните елементи \ могат да имат доставка въз основа на сериен номер +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Амортизирана сума DocType: Vehicle,Model,Модел DocType: Work Order,Actual Operating Cost,Действителни оперативни разходи DocType: Payment Entry,Cheque/Reference No,Чек / Референтен номер по diff --git a/erpnext/translations/bn.csv b/erpnext/translations/bn.csv index e493c487b8..37c0a283c0 100644 --- a/erpnext/translations/bn.csv +++ b/erpnext/translations/bn.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,স্ট্যান্ DocType: Exchange Rate Revaluation Account,New Exchange Rate,নতুন এক্সচেঞ্জ রেট apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},মুদ্রাটির মূল্য তালিকা জন্য প্রয়োজন {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* লেনদেনে গণনা করা হবে. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,মানব সম্পদ> এইচআর সেটিংসে কর্মচারীর নামকরণ সিস্টেমটি সেটআপ করুন set DocType: Delivery Trip,MAT-DT-.YYYY.-,Mat-মোর্চা-.YYYY.- DocType: Purchase Order,Customer Contact,গ্রাহকের পরিচিতি DocType: Shift Type,Enable Auto Attendance,স্বয়ংক্রিয় উপস্থিতি সক্ষম করুন @@ -95,6 +94,7 @@ DocType: Item Price,Multiple Item prices.,একাধিক আইটেম ম DocType: SMS Center,All Supplier Contact,সমস্ত সরবরাহকারী যোগাযোগ DocType: Support Settings,Support Settings,সাপোর্ট সেটিং apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,অবৈধ প্রশংসাপত্র +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,বাড়ি থেকে কাজ চিহ্নিত করুন apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),আইটিসি উপলব্ধ (সম্পূর্ণ বিকল্প অংশে থাকুক না কেন) DocType: Amazon MWS Settings,Amazon MWS Settings,আমাজন MWS সেটিংস apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,প্রক্রিয়াকরণ ভাউচার @@ -405,7 +405,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,আইটেম apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,সদস্যতা বিবরণ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: সরবরাহকারী প্রদেয় অ্যাকাউন্ট বিরুদ্ধে প্রয়োজন বোধ করা হয় {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,চলছে এবং প্রাইসিং -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,গ্রাহক> গ্রাহক গোষ্ঠী> অঞ্চল apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},মোট ঘন্টা: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},জন্ম থেকে অর্থবছরের মধ্যে হওয়া উচিত. জন্ম থেকে Assuming = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -761,6 +760,7 @@ DocType: Request for Quotation,Request for Quotation,উদ্ধৃতি জ DocType: Healthcare Settings,Require Lab Test Approval,ল্যাব টেস্ট অনুমোদন প্রয়োজন DocType: Attendance,Working Hours,কর্মঘন্টা apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,পুরো অসাধারন +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ইউওএম রূপান্তর ফ্যাক্টর ({0} -> {1}) আইটেমটির জন্য পাওয়া যায় নি: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,একটি বিদ্যমান সিরিজের শুরু / বর্তমান ক্রম সংখ্যা পরিবর্তন করুন. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,অর্ডারের পরিমাণের তুলনায় আপনাকে আরও বেশি বিল দেওয়ার অনুমতি দেওয়া হচ্ছে শতাংশ। উদাহরণস্বরূপ: যদি কোনও আইটেমের জন্য অর্ডার মান $ 100 এবং সহনশীলতা 10% হিসাবে সেট করা থাকে তবে আপনাকে 110 ডলারে বিল দেওয়ার অনুমতি দেওয়া হবে। DocType: Dosage Strength,Strength,শক্তি @@ -1236,7 +1236,6 @@ DocType: Timesheet,Total Billed Hours,মোট বিল ঘন্টা DocType: Pricing Rule Item Group,Pricing Rule Item Group,প্রাইসিং রুল আইটেম গ্রুপ DocType: Travel Itinerary,Travel To,ভ্রমন করা apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,বিনিময় হার পুনঃনির্ধারণ মাস্টার। -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,দয়া করে সেটআপ> নম্বরিং সিরিজের মাধ্যমে উপস্থিতির জন্য সংখ্যায়ন সিরিজটি সেট করুন apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,পরিমাণ বন্ধ লিখুন DocType: Leave Block List Allow,Allow User,অনুমতি DocType: Journal Entry,Bill No,বিল কোন @@ -1587,6 +1586,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,ইনসেনটিভ apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,সিঙ্কের বাইরে মানগুলি apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,পার্থক্য মান +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,দয়া করে সেটআপ> নম্বরিং সিরিজের মাধ্যমে উপস্থিতির জন্য সংখ্যায়ন সিরিজটি সেট করুন DocType: SMS Log,Requested Numbers,অনুরোধ করা নাম্বার DocType: Volunteer,Evening,সন্ধ্যা DocType: Quiz,Quiz Configuration,কুইজ কনফিগারেশন @@ -1754,6 +1754,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,স্থ DocType: Student Admission,Publish on website,ওয়েবসাইটে প্রকাশ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,সরবরাহকারী চালান তারিখ পোস্টিং তারিখ তার চেয়ে অনেক বেশী হতে পারে না DocType: Installation Note,MAT-INS-.YYYY.-,মাদুর-ইনগুলি-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,আইটেম কোড> আইটেম গ্রুপ> ব্র্যান্ড DocType: Subscription,Cancelation Date,বাতিলকরণ তারিখ DocType: Purchase Invoice Item,Purchase Order Item,আদেশ আইটেম ক্রয় DocType: Agriculture Task,Agriculture Task,কৃষি কাজ @@ -2347,7 +2348,6 @@ DocType: Promotional Scheme,Product Discount Slabs,পণ্য ডিসকা DocType: Target Detail,Target Distribution,উদ্দিষ্ট ডিস্ট্রিবিউশনের DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 আঞ্চলিক মূল্যায়নের চূড়ান্তকরণ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,দল এবং ঠিকানা আমদানি করা -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ইউওএম রূপান্তর ফ্যাক্টর ({0} -> {1}) আইটেমটির জন্য পাওয়া যায় নি: {2} DocType: Salary Slip,Bank Account No.,ব্যাংক একাউন্ট নং DocType: Naming Series,This is the number of the last created transaction with this prefix,এই উপসর্গবিশিষ্ট সর্বশেষ নির্মিত লেনদেনের সংখ্যা DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -3319,7 +3319,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),মোট বিলিং apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,ফি শিডিউল তৈরি করুন apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,পুনরাবৃত্ত গ্রাহক রাজস্ব DocType: Soil Texture,Silty Clay Loam,সিলি ক্লাই লোম -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,শিক্ষা> শিক্ষার সেটিংসে প্রশিক্ষক নামকরণ সিস্টেম সেটআপ করুন DocType: Quiz,Enter 0 to waive limit,সীমা ছাড়ার জন্য 0 লিখুন DocType: Bank Statement Settings,Mapped Items,ম্যাপ আইটেম DocType: Amazon MWS Settings,IT,আইটি @@ -3378,6 +3377,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,স্বচালিত যা DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,সরবরাহকারী স্কোরকার্ড স্থায়ী apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},সারি {0}: সামগ্রী বিল আইটেমের জন্য পাওয়া যায়নি {1} DocType: Contract Fulfilment Checklist,Requirement,প্রয়োজন +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,মানব সম্পদ> এইচআর সেটিংসে কর্মচারী নামকরণ সিস্টেম সেটআপ করুন DocType: Journal Entry,Accounts Receivable,গ্রহনযোগ্য অ্যাকাউন্ট DocType: Quality Goal,Objectives,উদ্দেশ্য DocType: HR Settings,Role Allowed to Create Backdated Leave Application,ব্যাকটেড লিভ অ্যাপ্লিকেশন তৈরি করার জন্য ভূমিকা অনুমোদিত @@ -3517,6 +3517,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,ফলিত apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,বিপরীতে চার্জের জন্য দায়বদ্ধ বাহ্যিক সরবরাহ এবং অভ্যন্তরীণ সরবরাহের বিশদ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,পুনরায় খুলুন +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,অননুমোদিত. ল্যাব পরীক্ষার টেম্পলেটটি অক্ষম করুন DocType: Sales Invoice Item,Qty as per Stock UOM,স্টক Qty UOM অনুযায়ী apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 নাম apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,রুট সংস্থা @@ -3600,7 +3601,6 @@ DocType: Payment Request,Transaction Details,লেনদেন বিবরণ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,সময়সূচী পেতে 'নির্মাণ সূচি' তে ক্লিক করুন DocType: Item,"Purchase, Replenishment Details","ক্রয়, পুনরায় পরিশোধের বিশদ" DocType: Products Settings,Enable Field Filters,ফিল্ড ফিল্টারগুলি সক্ষম করুন -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,আইটেম কোড> আইটেম গ্রুপ> ব্র্যান্ড apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","গ্রাহক প্রদত্ত আইটেম" ক্রয় আইটেমও হতে পারে না DocType: Blanket Order Item,Ordered Quantity,আদেশ পরিমাণ apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",যেমন "নির্মাতা জন্য সরঞ্জাম তৈরি করুন" @@ -4062,7 +4062,7 @@ DocType: BOM,Operating Cost (Company Currency),অপারেটিং খর DocType: Authorization Rule,Applicable To (Role),প্রযোজ্য (ভূমিকা) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,মুলতুবি থাকা পাতা DocType: BOM Update Tool,Replace BOM,BOM প্রতিস্থাপন করুন -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,কোড {0} ইতিমধ্যে বিদ্যমান +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,কোড {0} ইতিমধ্যে বিদ্যমান DocType: Patient Encounter,Procedures,পদ্ধতি apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,বিক্রয় আদেশগুলি উৎপাদনের জন্য উপলব্ধ নয় DocType: Asset Movement,Purpose,উদ্দেশ্য @@ -4157,6 +4157,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,কর্মচারী DocType: Warranty Claim,Service Address,সেবা ঠিকানা apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,মাস্টার ডেটা আমদানি করুন DocType: Asset Maintenance Task,Calibration,ক্রমাঙ্কন +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ল্যাব পরীক্ষার আইটেম {0} ইতিমধ্যে বিদ্যমান apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} একটি কোম্পানী ছুটির দিন apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,বিলযোগ্য ঘন্টা apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,শর্তাবলী | @@ -4505,7 +4506,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,বেতন নিবন্ধন DocType: Company,Default warehouse for Sales Return,বিক্রয় ফেরতের জন্য ডিফল্ট গুদাম DocType: Pick List,Parent Warehouse,পেরেন্ট ওয়্যারহাউস -DocType: Subscription,Net Total,সর্বমোট +DocType: C-Form Invoice Detail,Net Total,সর্বমোট apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",উত্পাদন তারিখের সাথে শেল্ফ-লাইফের উপর ভিত্তি করে মেয়াদোত্তীর্ণ সেট করতে আইটেমের শেল্ফ জীবন দিনগুলিতে সেট করুন। apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},ডিফল্ট BOM আইটেমের জন্য পাওয়া যায়নি {0} এবং প্রকল্প {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,সারি {0}: অনুগ্রহ করে অর্থ প্রদানের সময়সূচীতে অর্থের মোড সেট করুন @@ -4618,7 +4619,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},উদ্দিষ্ট গুদাম সারিতে জন্য বাধ্যতামূলক {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,খুচরা ব্যবস্থাপনা DocType: Cheque Print Template,Primary Settings,প্রাথমিক সেটিংস -DocType: Attendance Request,Work From Home,বাসা থেকে কাজ +DocType: Attendance,Work From Home,বাসা থেকে কাজ DocType: Purchase Invoice,Select Supplier Address,সরবরাহকারী ঠিকানা নির্বাচন apps/erpnext/erpnext/public/js/event.js,Add Employees,এমপ্লয়িজ যোগ DocType: Purchase Invoice Item,Quality Inspection,উচ্চমানের তদন্ত @@ -4855,8 +4856,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,অনুমোদন URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},পরিমাণ {0} {1} {2} {3} DocType: Account,Depreciation,অবচয় -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","এই নথিটি বাতিল করতে দয়া করে কর্মচারী {0} delete মুছুন" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,শেয়ার সংখ্যা এবং শেয়ার নম্বর অসম্পূর্ণ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),সরবরাহকারী (গুলি) DocType: Employee Attendance Tool,Employee Attendance Tool,কর্মী হাজিরা টুল @@ -5159,7 +5158,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,উদ্ভিদ ব DocType: Cheque Print Template,Cheque Height,চেক উচ্চতা DocType: Supplier,Supplier Details,সরবরাহকারী DocType: Setup Progress,Setup Progress,সেটআপ অগ্রগতি -DocType: Expense Claim,Approval Status,অনুমোদন অবস্থা apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},মূল্য সারিতে মান কম হতে হবে থেকে {0} DocType: Program,Intro Video,ইন্ট্রো ভিডিও DocType: Manufacturing Settings,Default Warehouses for Production,উত্পাদনের জন্য ডিফল্ট গুদাম @@ -5493,7 +5491,6 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,বিক্র DocType: Purchase Invoice,Rounded Total,গোলাকৃতি মোট apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} জন্য স্লটগুলি শেলিমে যুক্ত করা হয় না DocType: Product Bundle,List items that form the package.,বাক্স গঠন করে তালিকা আইটেম. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,অননুমোদিত. টেস্ট টেমপ্লেট অক্ষম করুন DocType: Sales Invoice,Distance (in km),দূরত্ব (কিলোমিটার) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,শতকরা বরাদ্দ 100% সমান হওয়া উচিত apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,দয়া করে পার্টির নির্বাচন সামনে পোস্টিং তারিখ নির্বাচন @@ -5622,7 +5619,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,মূল্য তালিকা বিনিময় হার apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,সমস্ত সরবরাহকারী গ্রুপ DocType: Employee Boarding Activity,Required for Employee Creation,কর্মচারী সৃষ্টির জন্য প্রয়োজনীয় -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,সরবরাহকারী> সরবরাহকারী প্রকার apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},অ্যাকাউন্ট নম্বর {0} ইতিমধ্যে অ্যাকাউন্টে ব্যবহৃত {1} DocType: GoCardless Mandate,Mandate,হুকুম DocType: Hotel Room Reservation,Booked,কাজে ব্যস্ত @@ -5687,7 +5683,6 @@ DocType: Production Plan Item,Product Bundle Item,পণ্য সমষ্ট DocType: Sales Partner,Sales Partner Name,বিক্রয় অংশীদার নাম apps/erpnext/erpnext/hooks.py,Request for Quotations,উদ্ধৃতি জন্য অনুরোধ DocType: Payment Reconciliation,Maximum Invoice Amount,সর্বাধিক চালান পরিমাণ -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,খালি আইবিএএন-এর জন্য ব্যাংকঅ্যাকউন্ট.অলয়েড_িবান () ব্যর্থ হয়েছে DocType: Normal Test Items,Normal Test Items,সাধারণ টেস্ট আইটেম DocType: QuickBooks Migrator,Company Settings,কোম্পানী সেটিংস DocType: Additional Salary,Overwrite Salary Structure Amount,বেতন কাঠামো উপর ওভাররাইট পরিমাণ @@ -5836,6 +5831,7 @@ DocType: Issue,Resolution By Variance,বৈকল্পিক দ্বার DocType: Leave Allocation,Leave Period,ছেড়ে দিন DocType: Item,Default Material Request Type,ডিফল্ট উপাদান অনুরোধ প্রকার DocType: Supplier Scorecard,Evaluation Period,মূল্যায়ন সময়ের +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,গ্রাহক> গ্রাহক গোষ্ঠী> অঞ্চল apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,অজানা apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,কাজ অর্ডার তৈরি করা হয়নি apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6189,8 +6185,11 @@ DocType: Salary Component,Formula,সূত্র apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,সিরিয়াল # DocType: Material Request Plan Item,Required Quantity,প্রয়োজনীয় পরিমাণ DocType: Lab Test Template,Lab Test Template,ল্যাব টেস্ট টেমপ্লেট +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,সরবরাহকারী> সরবরাহকারী প্রকার apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,বিক্রয় অ্যাকাউন্ট DocType: Purchase Invoice Item,Total Weight,সম্পূর্ণ ওজন +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","এই নথিটি বাতিল করতে দয়া করে কর্মচারী {0} delete মুছুন" DocType: Pick List Item,Pick List Item,তালিকা আইটেম চয়ন করুন apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,বিক্রয় কমিশনের DocType: Job Offer Term,Value / Description,মূল্য / বিবরণ: @@ -6304,6 +6303,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,স্বাক্ষরিত DocType: Bank Account,Party Type,পার্টি শ্রেণী DocType: Discounted Invoice,Discounted Invoice,ছাড়যুক্ত চালান +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,হিসাবে উপস্থিতি চিহ্নিত করুন DocType: Payment Schedule,Payment Schedule,অর্থ প্রদানের সময়সূচী apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},প্রদত্ত কর্মচারীর ক্ষেত্রের মানটির জন্য কোনও কর্মচারী পাওয়া যায় নি। '{}': { DocType: Item Attribute Value,Abbreviation,সংক্ষেপ @@ -6403,7 +6403,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,ধরে রাখার DocType: Employee,Personal Email,ব্যক্তিগত ইমেইল apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,মোট ভেদাংক DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","সক্রিয় করা হলে, সিস্টেম স্বয়ংক্রিয়ভাবে পরিসংখ্যা জন্য অ্যাকাউন্টিং এন্ট্রি পোস্ট করতে হবে." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.uthorate_iban () অবৈধ আইবিএএন গ্রহণ করেছে accepted} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,দালালি apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,কর্মচারী {0} জন্য এ্যাটেনডেন্স ইতিমধ্যে এই দিনের জন্য চিহ্নিত করা হয় DocType: Work Order Operation,"in Minutes @@ -6668,6 +6667,7 @@ DocType: Appointment,Customer Details,কাস্টমার বিস্ত apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,আইআরএস 1099 ফর্মগুলি মুদ্রণ করুন DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,সম্পত্তির রক্ষণাবেক্ষণ বা ক্রমাঙ্কন প্রয়োজন কিনা তা পরীক্ষা করুন apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,কোম্পানির সমাহারগুলি 5 টি অক্ষরের বেশি হতে পারে না +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,মূল সংস্থা অবশ্যই একটি গ্রুপ সংস্থা হতে হবে DocType: Employee,Reports to,রিপোর্ট হতে ,Unpaid Expense Claim,অবৈতনিক ব্যয় দাবি DocType: Payment Entry,Paid Amount,দেওয়া পরিমাণ @@ -6755,6 +6755,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,OPP কাউন্ট apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,উভয় ট্রায়াল সময়কাল শুরু তারিখ এবং ট্রায়াল সময়কাল শেষ তারিখ সেট করা আবশ্যক apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,গড় হার +DocType: Appointment,Appointment With,সাথে নিয়োগ apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,পেমেন্ট শংসাপত্রের মোট পরিশোধের পরিমাণ গ্র্যান্ড / গোলাকার মোট সমান হওয়া আবশ্যক apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","গ্রাহক সরবরাহিত আইটেম" এর মূল্য মূল্য হতে পারে না DocType: Subscription Plan Detail,Plan,পরিকল্পনা @@ -6884,7 +6885,6 @@ DocType: Customer,Customer Primary Contact,গ্রাহক প্রাথম apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,OPP / লিড% DocType: Bank Guarantee,Bank Account Info,ব্যাংক অ্যাকাউন্ট তথ্য DocType: Bank Guarantee,Bank Guarantee Type,ব্যাংক গ্যারান্টি প্রকার -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},বৈধ আইবিএন for Bank এর জন্য ব্যাংক অ্যাকাউন্ট DocType: Payment Schedule,Invoice Portion,ইনভয়েস অংশন ,Asset Depreciations and Balances,অ্যাসেট Depreciations এবং উদ্বৃত্ত apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},পরিমাণ {0} {1} থেকে স্থানান্তরিত {2} থেকে {3} @@ -7535,7 +7535,6 @@ DocType: Dosage Form,Dosage Form,ডোজ ফর্ম apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},দয়া করে প্রচারাভিযানের প্রচারের সময়সূচি সেট আপ করুন {0} apps/erpnext/erpnext/config/buying.py,Price List master.,মূল্য তালিকা মাস্টার. DocType: Task,Review Date,পর্যালোচনা তারিখ -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,হিসাবে উপস্থিতি চিহ্নিত করুন DocType: BOM,Allow Alternative Item,বিকল্প আইটেমের অনুমতি দিন apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,ক্রয়ের রশিদে কোনও আইটেম নেই যার জন্য পুনরায় ধরে রাখার নমুনা সক্ষম করা আছে। apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,চালান গ্র্যান্ড টোটাল @@ -7760,7 +7759,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,সর্বাধিক রিট্রি সীমা apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,মূল্য তালিকা পাওয়া বা প্রতিবন্ধী না DocType: Content Activity,Last Activity ,শেষ তৎপরতা -DocType: Student Applicant,Approved,অনুমোদিত DocType: Pricing Rule,Price,মূল্য apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} নির্ধারণ করা আবশ্যক উপর অব্যাহতিপ্রাপ্ত কর্মচারী 'বাম' হিসাবে DocType: Guardian,Guardian,অভিভাবক @@ -7931,6 +7929,7 @@ DocType: Taxable Salary Slab,Percent Deduction,শতকরা হার DocType: GL Entry,To Rename,নতুন নামকরণ DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,সিরিয়াল নম্বর যুক্ত করতে নির্বাচন করুন। +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,অনুগ্রহ করে শিক্ষা> শিক্ষা সেটিংসে প্রশিক্ষক নামকরণ সিস্টেম সেটআপ করুন apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',গ্রাহক '% s' এর জন্য অনুগ্রহযোগ্য কোড সেট করুন apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,প্রথম কোম্পানি নির্বাচন করুন DocType: Item Attribute,Numeric Values,সাংখ্যিক মান @@ -7947,6 +7946,7 @@ DocType: Salary Detail,Additional Amount,অতিরিক্ত পরিম apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,কার্ট খালি হয় apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",আইটেম {0} এর কোন সিরিয়াল নাম্বার নেই। ক্রমাগত ক্রমিক সংখ্যাগুলি / সিরিয়াল নাম্বারের উপর ভিত্তি করে ডেলিভারি থাকতে পারে +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,অবমানিত পরিমাণ DocType: Vehicle,Model,মডেল DocType: Work Order,Actual Operating Cost,আসল অপারেটিং খরচ DocType: Payment Entry,Cheque/Reference No,চেক / রেফারেন্স কোন diff --git a/erpnext/translations/bs.csv b/erpnext/translations/bs.csv index 11624b49d4..f1d080a650 100644 --- a/erpnext/translations/bs.csv +++ b/erpnext/translations/bs.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Standardni iznos oslobođe DocType: Exchange Rate Revaluation Account,New Exchange Rate,Novi kurs apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Valuta je potreban za Cjenovnik {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Hoće li biti izračunata u transakciji. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sistem imenovanja zaposlenika u ljudskim resursima> HR postavke DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-YYYY.- DocType: Purchase Order,Customer Contact,Kontakt kupca DocType: Shift Type,Enable Auto Attendance,Omogući automatsko prisustvo @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Svi kontakti dobavljača DocType: Support Settings,Support Settings,podrška Postavke apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Račun {0} se dodaje u nadređenoj kompaniji {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Nevažeće vjerodajnice +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Označi rad od kuće apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),Dostupan ITC (bilo u cjelini op. Dio) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Settings apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Obrada vaučera @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Iznos poreza uk apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Detalji o članstvu apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: dobavljača se protiv plaćaju račun {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Stavke i cijene -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> grupa kupaca> teritorija apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Ukupan broj sati: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Od datuma trebao biti u fiskalnoj godini. Uz pretpostavku Od datuma = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-YYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Izabrana opcija DocType: SG Creation Tool Course,SG Creation Tool Course,SG Stvaranje Alat za golf DocType: Bank Statement Transaction Invoice Item,Payment Description,Opis plaćanja -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Molimo postavite Naming Series za {0} putem Podešavanje> Podešavanja> Imenovanje serije apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,nedovoljna Stock DocType: Email Digest,New Sales Orders,Nove narudžbenice DocType: Bank Account,Bank Account,Žiro račun @@ -774,6 +772,7 @@ DocType: Request for Quotation,Request for Quotation,Zahtjev za ponudu DocType: Healthcare Settings,Require Lab Test Approval,Zahtevati odobrenje za testiranje laboratorija DocType: Attendance,Working Hours,Radno vrijeme apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total Outstanding +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverzije UOM ({0} -> {1}) nije pronađen za stavku: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Promjena polaznu / tekući redni broj postojeće serije. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Postotak koji vam dozvoljava da naplatite više u odnosu na naručeni iznos. Na primjer: Ako je vrijednost narudžbe za artikl 100 USD, a tolerancija postavljena na 10%, tada vam je omogućeno da naplatite 110 USD." DocType: Dosage Strength,Strength,Snaga @@ -1262,7 +1261,6 @@ DocType: Timesheet,Total Billed Hours,Ukupno Fakturisana Hours DocType: Pricing Rule Item Group,Pricing Rule Item Group,Skupina pravila pravila o cijenama DocType: Travel Itinerary,Travel To,Putovati u apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Master revalorizacije kursa -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Molimo podesite seriju numeriranja za Attendance putem Podešavanje> Serija brojanja apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Napišite paušalni iznos DocType: Leave Block List Allow,Allow User,Dopusti korisnika DocType: Journal Entry,Bill No,Račun br @@ -1634,6 +1632,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Poticaji apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Vrijednosti van sinkronizacije apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Vrijednost razlike +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Molimo podesite seriju brojeva za Attendance putem Podešavanje> Serija numeriranja DocType: SMS Log,Requested Numbers,Traženi brojevi DocType: Volunteer,Evening,Veče DocType: Quiz,Quiz Configuration,Konfiguracija kviza @@ -1801,6 +1800,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,From Plac DocType: Student Admission,Publish on website,Objaviti na web stranici apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Dobavljač Datum računa ne može biti veći od Datum knjiženja DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod artikla> Grupa artikala> Marka DocType: Subscription,Cancelation Date,Datum otkazivanja DocType: Purchase Invoice Item,Purchase Order Item,Narudžbenica predmet DocType: Agriculture Task,Agriculture Task,Poljoprivreda zadatak @@ -2401,7 +2401,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Ploče s popustom na proizvod DocType: Target Detail,Target Distribution,Ciljana Distribucija DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Završetak privremene procjene apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Uvoz stranaka i adresa -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverzije UOM ({0} -> {1}) nije pronađen za stavku: {2} DocType: Salary Slip,Bank Account No.,Žiro račun broj DocType: Naming Series,This is the number of the last created transaction with this prefix,To je broj zadnjeg stvorio transakcije s ovim prefiksom DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2794,6 +2793,9 @@ DocType: Company,Default Holiday List,Uobičajeno Holiday List DocType: Pricing Rule,Supplier Group,Grupa dobavljača apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Red {0}: Od vremena i do vremena od {1} je preklapaju s {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",Za stavku {1} već postoji BOM sa nazivom {0}.
Jeste li preimenovali predmet? Molimo kontaktirajte administratora / tehničku podršku apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Stock Obveze DocType: Purchase Invoice,Supplier Warehouse,Dobavljač galerija DocType: Opportunity,Contact Mobile No,Kontak GSM @@ -3235,6 +3237,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Stol za sastanke o kvalitetu apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Posjetite forum +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Ne mogu dovršiti zadatak {0} jer njegov ovisni zadatak {1} nije dovršen / otkazan. DocType: Student,Student Mobile Number,Student Broj mobilnog DocType: Item,Has Variants,Ima Varijante DocType: Employee Benefit Claim,Claim Benefit For,Claim Benefit For @@ -3394,7 +3397,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Ukupno Billing Iznos (preko apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Kreirajte raspored naknada apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Ponovite Customer prihoda DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Postavite sistem imenovanja instruktora u Obrazovanje> Postavke obrazovanja DocType: Quiz,Enter 0 to waive limit,Unesite 0 da biste odbili granicu DocType: Bank Statement Settings,Mapped Items,Mapped Items DocType: Amazon MWS Settings,IT,IT @@ -3428,7 +3430,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Nema dovoljno stvorenih sredstava ili povezanih sa {0}. \ Molimo stvorite ili povežite {1} Imovina sa odgovarajućim dokumentom. DocType: Pricing Rule,Apply Rule On Brand,Primjeni pravilo na marku DocType: Task,Actual End Date (via Time Sheet),Stvarni Završni datum (preko Time Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Zadatak se ne može zatvoriti {0} jer njegov zavisni zadatak {1} nije zatvoren. DocType: Soil Texture,Soil Type,Vrsta zemljišta apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Broj {0} {1} protiv {2} {3} ,Quotation Trends,Trendovi ponude @@ -3458,6 +3459,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Self-vožnje vozila DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Standing Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Red {0}: Bill materijala nije pronađen za stavku {1} DocType: Contract Fulfilment Checklist,Requirement,Zahtev +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sistem imenovanja zaposlenika u ljudskim resursima> HR postavke DocType: Journal Entry,Accounts Receivable,Konto potraživanja DocType: Quality Goal,Objectives,Ciljevi DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Uloga je dozvoljena za kreiranje sigurnosne aplikacije za odlazak @@ -3599,6 +3601,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Applied apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Pojedinosti o vanjskoj snabdijevanju i unutarnjim zalihama koje mogu podložiti povratnom naplatu apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Ponovno otvorena +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Nije dozvoljeno. Isključite predložak laboratorijskog testa DocType: Sales Invoice Item,Qty as per Stock UOM,Količina po burzi UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 ime apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3657,6 +3660,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tip poslovanja DocType: Sales Invoice,Consumer,Potrošački apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Molimo odaberite Izdvojena količina, vrsta fakture i fakture Broj u atleast jednom redu" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Molimo postavite Naming Series za {0} putem Podešavanje> Podešavanja> Imenovanje serije apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Troškovi New Kupovina apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Prodajnog naloga potrebna za točke {0} DocType: Grant Application,Grant Description,Grant Opis @@ -3682,7 +3686,6 @@ DocType: Payment Request,Transaction Details,Detalji transakcije apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"Molimo kliknite na ""Generiraj raspored ' kako bi dobili raspored" DocType: Item,"Purchase, Replenishment Details","Detalji kupovine, dopunjavanja" DocType: Products Settings,Enable Field Filters,Omogući filtre polja -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod artikla> Grupa artikala> Marka apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","Predmet koji pruža klijent" takođe ne može biti predmet kupovine DocType: Blanket Order Item,Ordered Quantity,Naručena količina apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","na primjer "" Izgraditi alate za graditelje """ @@ -4151,7 +4154,7 @@ DocType: BOM,Operating Cost (Company Currency),Operativni trošak (Company Valut DocType: Authorization Rule,Applicable To (Role),Odnosi se na (uloga) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Pending Leaves DocType: BOM Update Tool,Replace BOM,Zamijenite BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kod {0} već postoji +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kod {0} već postoji DocType: Patient Encounter,Procedures,Procedure apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Prodajni nalozi nisu dostupni za proizvodnju DocType: Asset Movement,Purpose,Svrha @@ -4267,6 +4270,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Prezreti vremensko prekl DocType: Warranty Claim,Service Address,Usluga Adresa apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Uvezi glavne podatke DocType: Asset Maintenance Task,Calibration,Kalibracija +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Predmet laboratorijskog testa {0} već postoji apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} je praznik kompanije apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Sati naplate apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Ostavite obaveštenje o statusu @@ -4629,7 +4633,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,Plaća Registracija DocType: Company,Default warehouse for Sales Return,Zadano skladište za povraćaj prodaje DocType: Pick List,Parent Warehouse,Parent Skladište -DocType: Subscription,Net Total,Osnovica +DocType: C-Form Invoice Detail,Net Total,Osnovica apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Podesite rok trajanja artikla u danima kako biste postavili rok upotrebe na osnovu datuma proizvodnje plus rok trajanja. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Uobičajeno sastavnice nije pronađen za Stavka {0} i projekt {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Red {0}: Molimo postavite Način plaćanja u Rasporedu plaćanja @@ -4744,7 +4748,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target skladište je obvezno za redom {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Trgovina na malo DocType: Cheque Print Template,Primary Settings,primarni Postavke -DocType: Attendance Request,Work From Home,Radite od kuće +DocType: Attendance,Work From Home,Radite od kuće DocType: Purchase Invoice,Select Supplier Address,Izaberite dobavljač adresa apps/erpnext/erpnext/public/js/event.js,Add Employees,Dodaj zaposlenog DocType: Purchase Invoice Item,Quality Inspection,Provjera kvalitete @@ -4986,8 +4990,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL autorizacije apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Broj {0} {1} {2} {3} DocType: Account,Depreciation,Amortizacija -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Izbrišite zaposlenika {0} \ da biste otkazali ovaj dokument" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Broj akcija i brojevi učešća su nedosljedni apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Dobavljač (s) DocType: Employee Attendance Tool,Employee Attendance Tool,Alat za evidenciju dolaznosti radnika @@ -5292,7 +5294,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kriterijumi za analizu DocType: Cheque Print Template,Cheque Height,Ček Visina DocType: Supplier,Supplier Details,Dobavljač Detalji DocType: Setup Progress,Setup Progress,Napredak podešavanja -DocType: Expense Claim,Approval Status,Status odobrenja apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Od vrijednosti mora biti manje nego vrijednosti u redu {0} DocType: Program,Intro Video,Intro Video DocType: Manufacturing Settings,Default Warehouses for Production,Zadane Skladišta za proizvodnju @@ -5633,7 +5634,6 @@ DocType: Purchase Invoice,Rounded Total,Zaokruženi iznos apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slotovi za {0} se ne dodaju u raspored DocType: Product Bundle,List items that form the package.,Popis stavki koje čine paket. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Ciljana lokacija je potrebna prilikom prijenosa sredstva {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nije dozvoljeno. Molim vas isključite Test Template DocType: Sales Invoice,Distance (in km),Udaljenost (u km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Postotak izdvajanja trebala bi biti jednaka 100 % apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Molimo odaberite Datum knjiženja prije izbora stranke @@ -5763,7 +5763,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Cjenik tečajna apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Sve grupe dobavljača DocType: Employee Boarding Activity,Required for Employee Creation,Potrebno za stvaranje zaposlenih -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> vrsta dobavljača apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Broj računa {0} već se koristi na nalogu {1} DocType: GoCardless Mandate,Mandate,Mandat DocType: Hotel Room Reservation,Booked,Rezervirano @@ -5829,7 +5828,6 @@ DocType: Production Plan Item,Product Bundle Item,Proizvod Bundle Stavka DocType: Sales Partner,Sales Partner Name,Prodaja Ime partnera apps/erpnext/erpnext/hooks.py,Request for Quotations,Zahtjev za ponudu DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimalni iznos fakture -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () nije uspio za prazan IBAN DocType: Normal Test Items,Normal Test Items,Normalni testovi DocType: QuickBooks Migrator,Company Settings,Tvrtka Postavke DocType: Additional Salary,Overwrite Salary Structure Amount,Izmijeniti iznos plata @@ -5980,6 +5978,7 @@ DocType: Issue,Resolution By Variance,Rezolucija po varijanti DocType: Leave Allocation,Leave Period,Ostavite Period DocType: Item,Default Material Request Type,Uobičajeno materijala Upit Tip DocType: Supplier Scorecard,Evaluation Period,Period evaluacije +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> grupa kupaca> teritorija apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,nepoznat apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Radni nalog nije kreiran apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6338,8 +6337,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Tražena količina DocType: Lab Test Template,Lab Test Template,Lab test šablon apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Računovodstveno razdoblje se preklapa sa {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> vrsta dobavljača apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Račun prodaje DocType: Purchase Invoice Item,Total Weight,Ukupna tezina +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Izbrišite zaposlenika {0} \ da biste otkazali ovaj dokument" DocType: Pick List Item,Pick List Item,Izaberite stavku popisa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisija za prodaju DocType: Job Offer Term,Value / Description,Vrijednost / Opis @@ -6454,6 +6456,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Signed On DocType: Bank Account,Party Type,Party Tip DocType: Discounted Invoice,Discounted Invoice,Račun s popustom +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Označi prisustvo kao DocType: Payment Schedule,Payment Schedule,Raspored plaćanja apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Za određenu vrijednost polja zaposlenika nije pronađen nijedan zaposleni. '{}': {} DocType: Item Attribute Value,Abbreviation,Skraćenica @@ -6555,7 +6558,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Razlog za stavljanje na če DocType: Employee,Personal Email,Osobni e apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Ukupno Varijansa DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ako je omogućeno, sustav će objaviti računovodstvene stavke za popis automatski." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () prihvatio nevaljanu IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,posredništvo apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Posjećenost za zaposlenog {0} je već označena za ovaj dan DocType: Work Order Operation,"in Minutes @@ -6826,6 +6828,7 @@ DocType: Appointment,Customer Details,Korisnički podaci apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Ispiši obrasce IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Proverite da li imovina zahteva preventivno održavanje ili kalibraciju apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Skraćenica kompanije ne može imati više od 5 znakova +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Matična kompanija mora biti kompanija u grupi DocType: Employee,Reports to,Izvještaji za ,Unpaid Expense Claim,Neplaćeni Rashodi Preuzmi DocType: Payment Entry,Paid Amount,Plaćeni iznos @@ -6913,6 +6916,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Moraju se podesiti datum početka probnog perioda i datum završetka probnog perioda apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Prosečna stopa +DocType: Appointment,Appointment With,Sastanak sa apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Ukupan iznos plaćanja u rasporedu plaćanja mora biti jednak Grand / zaokruženom ukupno apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Predmet koji pruža klijent" ne može imati stopu vrednovanja DocType: Subscription Plan Detail,Plan,Plan @@ -7045,7 +7049,6 @@ DocType: Customer,Customer Primary Contact,Primarni kontakt klijenta apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Informacije o bankovnom računu DocType: Bank Guarantee,Bank Guarantee Type,Tip garancije banke -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () nije uspio za važeći IBAN {} DocType: Payment Schedule,Invoice Portion,Portfelj fakture ,Asset Depreciations and Balances,Imovine Amortizacija i vage apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Broj {0} {1} je prešao iz {2} u {3} @@ -7710,7 +7713,6 @@ DocType: Dosage Form,Dosage Form,Formular za doziranje apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Molimo postavite Raspored kampanje u kampanji {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Cjenik majstor . DocType: Task,Review Date,Datum pregleda -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Označi prisustvo kao DocType: BOM,Allow Alternative Item,Dozvoli alternativu apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Kupoprodajna potvrda nema stavku za koju je omogućen zadržati uzorak. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktura Grand Total @@ -7938,7 +7940,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Maks retry limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Cjenik nije pronađena ili invaliditetom DocType: Content Activity,Last Activity ,Poslednja aktivnost -DocType: Student Applicant,Approved,Odobreno DocType: Pricing Rule,Price,Cijena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Zaposlenik razriješen na {0} mora biti postavljen kao 'lijevo ' DocType: Guardian,Guardian,staratelj @@ -8109,6 +8110,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Procenat odbijanja DocType: GL Entry,To Rename,Preimenovati DocType: Stock Entry,Repack,Prepakovati apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Odaberite da dodate serijski broj. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Postavite sistem imenovanja instruktora u Obrazovanje> Postavke obrazovanja apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Molimo postavite fiskalni kod za kupca '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Molimo prvo odaberite Kompaniju DocType: Item Attribute,Numeric Values,Brojčane vrijednosti @@ -8125,6 +8127,7 @@ DocType: Salary Detail,Additional Amount,Dodatni iznos apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Košarica je prazna apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Stavka {0} nema serijski broj. Samo serijalizirani predmeti \ mogu imati isporuku zasnovanu na Serijski broj +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Amortizovani iznos DocType: Vehicle,Model,model DocType: Work Order,Actual Operating Cost,Stvarni operativnih troškova DocType: Payment Entry,Cheque/Reference No,Ček / Reference Ne diff --git a/erpnext/translations/ca.csv b/erpnext/translations/ca.csv index 646b5a6216..f77d3edb68 100644 --- a/erpnext/translations/ca.csv +++ b/erpnext/translations/ca.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Import estàndard d’exem DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nou tipus de canvi apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Informa de la divisa pera la Llista de preus {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Es calcularà en la transacció. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configureu el sistema de nominació dels empleats a Recursos humans> Configuració de recursos humans DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Client Contacte DocType: Shift Type,Enable Auto Attendance,Activa l'assistència automàtica @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Contacte de Tot el Proveïdor DocType: Support Settings,Support Settings,Configuració de respatller apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},El compte {0} s'afegeix a l'empresa infantil {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Credencials no vàlides +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Marca el treball des de casa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),TIC disponible (en qualsevol part opcional) DocType: Amazon MWS Settings,Amazon MWS Settings,Configuració d'Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Elaboració de vals @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Element d'i apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Detalls de membres apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: es requereix Proveïdor contra el compte per pagar {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Articles i preus -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clients> Territori apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Total hores: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},A partir de la data ha de ser dins de l'any fiscal. Suposant De Data = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Opció seleccionada DocType: SG Creation Tool Course,SG Creation Tool Course,SG Curs eina de creació DocType: Bank Statement Transaction Invoice Item,Payment Description,Descripció del pagament -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configureu Naming Series per a {0} mitjançant Configuració> Configuració> Sèries de nom apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,insuficient Stock DocType: Email Digest,New Sales Orders,Noves ordres de venda DocType: Bank Account,Bank Account,Compte Bancari @@ -774,6 +772,7 @@ DocType: Request for Quotation,Request for Quotation,Sol · licitud de pressupos DocType: Healthcare Settings,Require Lab Test Approval,Requereix aprovació de la prova de laboratori DocType: Attendance,Working Hours,Hores de Treball apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total pendent +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Factor de conversió UOM ({0} -> {1}) no trobat per a l'element: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Canviar el número de seqüència inicial/actual d'una sèrie existent. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Percentatge de facturació superior a l’import sol·licitat. Per exemple: si el valor de la comanda és de 100 dòlars per a un article i la tolerància s’estableix com a 10%, podreu facturar per 110 $." DocType: Dosage Strength,Strength,Força @@ -1262,7 +1261,6 @@ DocType: Timesheet,Total Billed Hours,Total d'hores facturades DocType: Pricing Rule Item Group,Pricing Rule Item Group,Grup d’articles de la regla de preus DocType: Travel Itinerary,Travel To,Viatjar a apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Mestre de revaloració de tipus de canvi. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configureu les sèries de numeració per assistència mitjançant Configuració> Sèries de numeració apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Anota la quantitat DocType: Leave Block List Allow,Allow User,Permetre a l'usuari DocType: Journal Entry,Bill No,Factura Número @@ -1634,6 +1632,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Incentius apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Valors fora de sincronització apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Valor de diferència +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configureu les sèries de numeració per assistència mitjançant Configuració> Sèries de numeració DocType: SMS Log,Requested Numbers,Números sol·licitats DocType: Volunteer,Evening,Nit DocType: Quiz,Quiz Configuration,Configuració del test @@ -1801,6 +1800,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Des de la DocType: Student Admission,Publish on website,Publicar al lloc web apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Factura Proveïdor La data no pot ser major que la data de publicació DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codi de l'article> Grup d'elements> Marca DocType: Subscription,Cancelation Date,Data de cancel·lació DocType: Purchase Invoice Item,Purchase Order Item,Ordre de compra d'articles DocType: Agriculture Task,Agriculture Task,Tasca de l'agricultura @@ -2401,7 +2401,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Lloses de descompte de produc DocType: Target Detail,Target Distribution,Target Distribution DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalització de l'avaluació provisional apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importació de parts i adreces -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Factor de conversió UOM ({0} -> {1}) no trobat per a l'element: {2} DocType: Salary Slip,Bank Account No.,Compte Bancari No. DocType: Naming Series,This is the number of the last created transaction with this prefix,Aquest és el nombre de l'última transacció creat amb aquest prefix DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2794,6 +2793,9 @@ DocType: Company,Default Holiday List,Per defecte Llista de vacances DocType: Pricing Rule,Supplier Group,Grup de proveïdors apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Fila {0}: Del temps i Temps de {1} es solapen amb {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",Ja existeix un BOM amb el nom {0} per a l’element {1}.
Heu canviat el nom de l'element? Poseu-vos en contacte amb l’assistència d’administrador / tècnica apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Stock Liabilities DocType: Purchase Invoice,Supplier Warehouse,Magatzem Proveïdor DocType: Opportunity,Contact Mobile No,Contacte Mòbil No @@ -3236,6 +3238,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Taula de reunions de qualitat apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Visiteu els fòrums +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,No es pot completar / cancel·lar la tasca {0} com a tasca depenent {1}. DocType: Student,Student Mobile Number,Nombre mòbil Estudiant DocType: Item,Has Variants,Té variants DocType: Employee Benefit Claim,Claim Benefit For,Reclamació per benefici @@ -3395,7 +3398,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Facturació quantitat total apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Creeu una programació de tarifes apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Repetiu els ingressos dels clients DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configureu un sistema de nom de l’Instructor a Educació> Configuració d’educació DocType: Quiz,Enter 0 to waive limit,Introduïu 0 al límit d’exoneració DocType: Bank Statement Settings,Mapped Items,Objectes assignats DocType: Amazon MWS Settings,IT,IT @@ -3429,7 +3431,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.","No hi ha prou actius creats ni enllaçats a {0}. \ Si us plau, crea o enllaça {1} Actius amb el document respectiu." DocType: Pricing Rule,Apply Rule On Brand,Aplica la regla sobre la marca DocType: Task,Actual End Date (via Time Sheet),Data de finalització real (a través de fulla d'hores) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,No es pot tancar la tasca {0} ja que la seva tasca dependent {1} no està tancada. DocType: Soil Texture,Soil Type,Tipus de sòl apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Suma {0} {1} {2} contra {3} ,Quotation Trends,Quotation Trends @@ -3459,6 +3460,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Vehicle auto-conducció DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Quadre de comandament del proveïdor apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Fila {0}: Llista de materials que no es troba per a l'element {1} DocType: Contract Fulfilment Checklist,Requirement,Requisit +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configureu el sistema de nominació dels empleats a Recursos humans> Configuració de recursos humans DocType: Journal Entry,Accounts Receivable,Comptes Per Cobrar DocType: Quality Goal,Objectives,Objectius DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Funció permesa per crear una sol·licitud d'excedència retardada @@ -3600,6 +3602,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,aplicat apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Els detalls dels subministraments externs i els subministraments interiors poden generar una càrrega inversa apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Torna a obrir +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,No permès. Desactiveu la plantilla de prova de laboratori DocType: Sales Invoice Item,Qty as per Stock UOM,La quantitat d'existències ha d'estar expresada en la UDM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,nom Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Empresa d’arrel @@ -3658,6 +3661,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tipus de negoci DocType: Sales Invoice,Consumer,Consumidor apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Seleccioneu suma assignat, Tipus factura i número de factura en almenys una fila" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configureu Naming Series per a {0} mitjançant Configuració> Configuració> Sèries de nom apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Cost de Compra de Nova apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Ordres de venda requerides per l'article {0} DocType: Grant Application,Grant Description,Descripció de la subvenció @@ -3683,7 +3687,6 @@ DocType: Payment Request,Transaction Details,Detalls de la transacció apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"Si us plau, feu clic a ""Generar la Llista d'aconseguir horari" DocType: Item,"Purchase, Replenishment Details","Detalls de compra, reposició" DocType: Products Settings,Enable Field Filters,Activa els filtres de camp -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codi de l'article> Grup d'elements> Marca apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","El producte subministrat pel client" no pot ser també article de compra DocType: Blanket Order Item,Ordered Quantity,Quantitat demanada apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","per exemple ""Construir eines per als constructors """ @@ -4153,7 +4156,7 @@ DocType: BOM,Operating Cost (Company Currency),Cost de funcionament (Companyia d DocType: Authorization Rule,Applicable To (Role),Aplicable a (Rol) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Fulles pendents DocType: BOM Update Tool,Replace BOM,Reemplaça BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,El codi {0} ja existeix +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,El codi {0} ja existeix DocType: Patient Encounter,Procedures,Procediments apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Les comandes de venda no estan disponibles per a la seva producció DocType: Asset Movement,Purpose,Propòsit @@ -4269,6 +4272,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Ignora la superposició DocType: Warranty Claim,Service Address,Adreça de Servei apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importa dades de mestre DocType: Asset Maintenance Task,Calibration,Calibratge +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,L’element de prova de laboratori {0} ja existeix apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} és una festa d'empresa apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Hores factibles apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Deixeu la notificació d'estat @@ -4631,7 +4635,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,salari Registre DocType: Company,Default warehouse for Sales Return,Magatzem per defecte del retorn de vendes DocType: Pick List,Parent Warehouse,Magatzem dels pares -DocType: Subscription,Net Total,Total Net +DocType: C-Form Invoice Detail,Net Total,Total Net apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Definiu la vida útil de l’element en dies, per establir-ne la caducitat en funció de la data de fabricació i la vida útil." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Per defecte la llista de materials que no es troba d'article {0} i {1} Projecte apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Fila {0}: estableix el mode de pagament a la planificació de pagaments @@ -4746,7 +4750,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Magatzem destí obligatori per a la fila {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Operacions minoristes DocType: Cheque Print Template,Primary Settings,ajustos primaris -DocType: Attendance Request,Work From Home,Treball des de casa +DocType: Attendance,Work From Home,Treball des de casa DocType: Purchase Invoice,Select Supplier Address,Seleccionar adreça del proveïdor apps/erpnext/erpnext/public/js/event.js,Add Employees,Afegir Empleats DocType: Purchase Invoice Item,Quality Inspection,Inspecció de Qualitat @@ -4988,8 +4992,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL d'autorització apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Suma {0} {1} {2} {3} DocType: Account,Depreciation,Depreciació -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Elimineu l'empleat {0} \ per cancel·lar aquest document" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,El nombre d'accions i els números d'accions són incompatibles apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Proveïdor (s) DocType: Employee Attendance Tool,Employee Attendance Tool,Empleat Eina Assistència @@ -5294,7 +5296,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Criteris d'anàlisi DocType: Cheque Print Template,Cheque Height,xec Alçada DocType: Supplier,Supplier Details,Detalls del proveïdor DocType: Setup Progress,Setup Progress,Progrés de configuració -DocType: Expense Claim,Approval Status,Estat d'aprovació apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},De valor ha de ser inferior al valor de la fila {0} DocType: Program,Intro Video,Introducció al vídeo DocType: Manufacturing Settings,Default Warehouses for Production,Magatzems per a la producció @@ -5635,7 +5636,6 @@ DocType: Purchase Invoice,Rounded Total,Total Arrodonit apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Les ranures per a {0} no s'afegeixen a la programació DocType: Product Bundle,List items that form the package.,Llista d'articles que formen el paquet. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},La ubicació de la destinació és necessària mentre es transfereixen actius {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,No permès. Desactiva la plantilla de prova DocType: Sales Invoice,Distance (in km),Distància (en km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Percentatge d'assignació ha de ser igual a 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Seleccioneu Data d'entrada abans de seleccionar la festa @@ -5765,7 +5765,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Tipus de canvi per a la llista de preus apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Tots els grups de proveïdors DocType: Employee Boarding Activity,Required for Employee Creation,Obligatori per a la creació d'empleats -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveïdor> Tipus de proveïdor apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Número del compte {0} ja utilitzat al compte {1} DocType: GoCardless Mandate,Mandate,Mandat DocType: Hotel Room Reservation,Booked,Reservat @@ -5832,7 +5831,6 @@ DocType: Production Plan Item,Product Bundle Item,Producte Bundle article DocType: Sales Partner,Sales Partner Name,Nom del revenedor apps/erpnext/erpnext/hooks.py,Request for Quotations,Sol·licitud de Cites DocType: Payment Reconciliation,Maximum Invoice Amount,Import Màxim Factura -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () ha fallat per IBAN buit DocType: Normal Test Items,Normal Test Items,Elements de prova normals DocType: QuickBooks Migrator,Company Settings,Configuració de la companyia DocType: Additional Salary,Overwrite Salary Structure Amount,Sobreescriure la quantitat d'estructura salarial @@ -5983,6 +5981,7 @@ DocType: Issue,Resolution By Variance,Resolució per variació DocType: Leave Allocation,Leave Period,Període d'abandonament DocType: Item,Default Material Request Type,El material predeterminat Tipus de sol·licitud DocType: Supplier Scorecard,Evaluation Period,Període d'avaluació +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clients> Territori apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,desconegut apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,No s'ha creat l'ordre de treball apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6341,8 +6340,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Quantitat necessària DocType: Lab Test Template,Lab Test Template,Plantilla de prova de laboratori apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},El període de comptabilitat es superposa amb {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveïdor> Tipus de proveïdor apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Compte de vendes DocType: Purchase Invoice Item,Total Weight,Pes total +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Elimineu l'empleat {0} \ per cancel·lar aquest document" DocType: Pick List Item,Pick List Item,Escolliu l'element de la llista apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Comissió de Vendes DocType: Job Offer Term,Value / Description,Valor / Descripció @@ -6457,6 +6459,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,S'ha iniciat la sessió DocType: Bank Account,Party Type,Tipus Partit DocType: Discounted Invoice,Discounted Invoice,Factura amb descompte +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Marcar l'assistència com DocType: Payment Schedule,Payment Schedule,Calendari de pagaments apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},No s'ha trobat cap empleat pel valor de camp de l'empleat indicat. '{}': {} DocType: Item Attribute Value,Abbreviation,Abreviatura @@ -6558,7 +6561,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Motiu per posar-los en espe DocType: Employee,Personal Email,Email Personal apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Variància total DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Si està activat, el sistema comptabilitza els assentaments comptables per a l'inventari automàticament." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () acceptat IBAN no vàlid {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Corretatge apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,L'assistència per a l'empleat {0} ja està marcat per al dia d'avui DocType: Work Order Operation,"in Minutes @@ -6829,6 +6831,7 @@ DocType: Appointment,Customer Details,Dades del client apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Imprimeix formularis IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Comproveu si Asset requereix manteniment preventiu o calibratge apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,L'abreviatura de l'empresa no pot tenir més de 5 caràcters +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,La Societat Dominant ha de ser una empresa del grup DocType: Employee,Reports to,Informes a ,Unpaid Expense Claim,Reclamació de despeses no pagats DocType: Payment Entry,Paid Amount,Quantitat pagada @@ -6916,6 +6919,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Comte del OPP apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Tant la data d'inici del període de prova com la data de finalització del període de prova s'han d'establir apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Tarifa mitjana +DocType: Appointment,Appointment With,Cita amb apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,L'import total del pagament en el calendari de pagaments ha de ser igual a Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","L'element subministrat pel client" no pot tenir un percentatge de valoració DocType: Subscription Plan Detail,Plan,Pla @@ -7048,7 +7052,6 @@ DocType: Customer,Customer Primary Contact,Contacte principal del client apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,OPP /% Plom DocType: Bank Guarantee,Bank Account Info,Informació del compte bancari DocType: Bank Guarantee,Bank Guarantee Type,Tipus de Garantia Bancària -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () ha fallat per a IBAN vàlid {} DocType: Payment Schedule,Invoice Portion,Factura de la porció ,Asset Depreciations and Balances,Les depreciacions d'actius i saldos apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Suma {0} {1} transferit des {2} a {3} @@ -7713,7 +7716,6 @@ DocType: Dosage Form,Dosage Form,Forma de dosificació apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Configureu la programació de la campanya a la campanya {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Màster Llista de Preus. DocType: Task,Review Date,Data de revisió -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Marcar l'assistència com DocType: BOM,Allow Alternative Item,Permetre un element alternatiu apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,El rebut de compra no té cap element per al qual estigui habilitat la conservació de l'exemple. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Factura total total @@ -7941,7 +7943,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Límit de repetició màx apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,La llista de preus no existeix o està deshabilitada DocType: Content Activity,Last Activity ,Última activitat -DocType: Student Applicant,Approved,Aprovat DocType: Pricing Rule,Price,Preu apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Empleat rellevat en {0} ha de ser establert com 'Esquerra' DocType: Guardian,Guardian,tutor @@ -8112,6 +8113,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Deducció per cent DocType: GL Entry,To Rename,Per canviar el nom DocType: Stock Entry,Repack,Torneu a embalar apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Seleccioneu per afegir número de sèrie. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configureu un sistema de nom de l’Instructor a Educació> Configuració d’educació apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Configureu el Codi fiscal per al client "% s" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Seleccioneu primer la companyia DocType: Item Attribute,Numeric Values,Els valors numèrics @@ -8128,6 +8130,7 @@ DocType: Salary Detail,Additional Amount,Import addicional apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,El carret està buit apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",L'element {0} no té cap número de sèrie. Només els elements serilitzats poden tenir un lliurament basat en el número de sèrie +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Import depreciat DocType: Vehicle,Model,model DocType: Work Order,Actual Operating Cost,Cost de funcionament real DocType: Payment Entry,Cheque/Reference No,Xec / No. de Referència diff --git a/erpnext/translations/cs.csv b/erpnext/translations/cs.csv index 4165e14169..cbd8bda0a4 100644 --- a/erpnext/translations/cs.csv +++ b/erpnext/translations/cs.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Standardní částka osvob DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nový směnný kurz apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Měna je vyžadováno pro Ceníku {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Bude se vypočítá v transakci. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Nastavte prosím systém názvů zaměstnanců v části Lidské zdroje> Nastavení lidských zdrojů DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Kontakt se zákazníky DocType: Shift Type,Enable Auto Attendance,Povolit automatickou účast @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Vše Dodavatel Kontakt DocType: Support Settings,Support Settings,Nastavení podpůrných apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Účet {0} je přidán do podřízené společnosti {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Neplatné přihlašovací údaje +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Označte práci z domova apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC k dispozici (ať už v plné op části) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Nastavení apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Zpracování poukázek @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Částka daně apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Podrobnosti o členství apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Dodavatel je vyžadován oproti splatnému účtu {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Položky a Ceny -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníků> Území apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Celkem hodin: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},"Od data by měla být v rámci fiskálního roku. Za předpokladu, že od data = {0}" DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Vybraná možnost DocType: SG Creation Tool Course,SG Creation Tool Course,SG nástroj pro tvorbu hřiště DocType: Bank Statement Transaction Invoice Item,Payment Description,Popis platby -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte Naming Series pro {0} prostřednictvím Setup> Settings> Naming Series apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,nedostatečná Sklad DocType: Email Digest,New Sales Orders,Nové Prodejní objednávky DocType: Bank Account,Bank Account,Bankovní účet @@ -774,6 +772,7 @@ DocType: Request for Quotation,Request for Quotation,Žádost o cenovou nabídku DocType: Healthcare Settings,Require Lab Test Approval,Požadovat schválení testu laboratoře DocType: Attendance,Working Hours,Pracovní doba apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Naprosto vynikající +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverzní faktor ({0} -> {1}) nebyl nalezen pro položku: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Změnit výchozí / aktuální pořadové číslo existujícího série. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Procento, které máte možnost vyúčtovat více oproti objednané částce. Například: Pokud je hodnota objednávky 100 $ pro položku a tolerance je nastavena na 10%, pak máte možnost vyúčtovat za 110 $." DocType: Dosage Strength,Strength,Síla @@ -1262,7 +1261,6 @@ DocType: Timesheet,Total Billed Hours,Celkem Předepsané Hodiny DocType: Pricing Rule Item Group,Pricing Rule Item Group,Skupina položek cenových pravidel DocType: Travel Itinerary,Travel To,Cestovat do apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Velitel přehodnocení směnného kurzu. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavte číslovací řady pro Docházku prostřednictvím Nastavení> Číslovací řady apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Odepsat Částka DocType: Leave Block List Allow,Allow User,Umožňuje uživateli DocType: Journal Entry,Bill No,Bill No @@ -1634,6 +1632,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Pobídky apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Hodnoty ze synchronizace apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Hodnota rozdílu +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavte číslovací řady pro Docházku prostřednictvím Nastavení> Číslovací řady DocType: SMS Log,Requested Numbers,Požadované Čísla DocType: Volunteer,Evening,Večer DocType: Quiz,Quiz Configuration,Konfigurace kvízu @@ -1801,6 +1800,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Z místa DocType: Student Admission,Publish on website,Publikovat na webových stránkách apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Dodavatel Datum faktury nemůže být větší než Datum zveřejnění DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položek> Značka DocType: Subscription,Cancelation Date,Datum zrušení DocType: Purchase Invoice Item,Purchase Order Item,Položka vydané objednávky DocType: Agriculture Task,Agriculture Task,Zemědělské úkoly @@ -2401,7 +2401,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Desky slev produktu DocType: Target Detail,Target Distribution,Target Distribution DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 - Dokončení předběžného posouzení apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Dovážející strany a adresy -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverzní faktor ({0} -> {1}) nebyl nalezen pro položku: {2} DocType: Salary Slip,Bank Account No.,Bankovní účet č. DocType: Naming Series,This is the number of the last created transaction with this prefix,To je číslo poslední vytvořené transakci s tímto prefixem DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2794,6 +2793,9 @@ DocType: Company,Default Holiday List,Výchozí Holiday Seznam DocType: Pricing Rule,Supplier Group,Skupina dodavatelů apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Řádek {0}: čas od času i na čas z {1} se překrývá s {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",Kusovník s názvem {0} již existuje pro položku {1}.
Přejmenovali jste položku? Obraťte se na technickou podporu administrátora apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Stock Závazky DocType: Purchase Invoice,Supplier Warehouse,Dodavatel Warehouse DocType: Opportunity,Contact Mobile No,Kontakt Mobil @@ -3236,6 +3238,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Tabulka setkání kvality apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Navštivte fóra +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Nelze dokončit úkol {0}, protože jeho závislá úloha {1} není dokončena / zrušena." DocType: Student,Student Mobile Number,Student Číslo mobilního telefonu DocType: Item,Has Variants,Má varianty DocType: Employee Benefit Claim,Claim Benefit For,Nárok na dávku pro @@ -3395,7 +3398,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Celková částka Billing (p apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Vytvořte plán poplatků apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Repeat Customer Příjmy DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavte prosím Pojmenovací systém instruktorů v sekci Vzdělávání> Nastavení vzdělávání DocType: Quiz,Enter 0 to waive limit,"Chcete-li se vzdát limitu, zadejte 0" DocType: Bank Statement Settings,Mapped Items,Mapované položky DocType: Amazon MWS Settings,IT,TO @@ -3429,7 +3431,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Není vytvořeno dostatečné množství aktiv nebo propojeno s {0}. \ Prosím vytvořte nebo propojte {1} Aktiva s příslušným dokumentem. DocType: Pricing Rule,Apply Rule On Brand,Použít pravidlo na značku DocType: Task,Actual End Date (via Time Sheet),Skutečné datum ukončení (přes Time Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Úlohu {0} nelze zavřít, protože její závislá úloha {1} není uzavřena." DocType: Soil Texture,Soil Type,Typ půdy apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Množství {0} {1} na {2} {3} ,Quotation Trends,Uvozovky Trendy @@ -3459,6 +3460,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Samohybné vozidlo DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Dodávka tabulky dodavatelů apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Řádek {0}: Kusovník nebyl nalezen pro výtisku {1} DocType: Contract Fulfilment Checklist,Requirement,Požadavek +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Nastavte prosím systém názvů zaměstnanců v části Lidské zdroje> Nastavení lidských zdrojů DocType: Journal Entry,Accounts Receivable,Pohledávky DocType: Quality Goal,Objectives,Cíle DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Role povolená k vytvoření aplikace s okamžitou platností @@ -3600,6 +3602,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Aplikovaný apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Podrobnosti o vnějších dodávkách a vnitřních dodávkách podléhajících zpětnému poplatku apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Znovu otevřít +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Nepovoleno. Zakažte prosím šablonu pro testování laboratoře DocType: Sales Invoice Item,Qty as per Stock UOM,Množství podle Stock nerozpuštěných apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Jméno Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3658,6 +3661,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Typ podnikání DocType: Sales Invoice,Consumer,Spotřebitel apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Prosím, vyberte alokovaná částka, typ faktury a číslo faktury v aspoň jedné řadě" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte Naming Series pro {0} prostřednictvím Setup> Settings> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Náklady na nový nákup apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Prodejní objednávky potřebný k bodu {0} DocType: Grant Application,Grant Description,Grant Popis @@ -3683,7 +3687,6 @@ DocType: Payment Request,Transaction Details,Detaily transakce apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"Prosím, klikněte na ""Generovat Schedule"", aby se plán" DocType: Item,"Purchase, Replenishment Details","Podrobnosti o nákupu, doplnění" DocType: Products Settings,Enable Field Filters,Povolit filtry pole -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položek> Značka apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also",„Položka poskytovaná zákazníkem“ nemůže být rovněž nákupem DocType: Blanket Order Item,Ordered Quantity,Objednané množství apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","např ""Stavět nástroje pro stavitele """ @@ -4153,7 +4156,7 @@ DocType: BOM,Operating Cost (Company Currency),Provozní náklady (Company měna DocType: Authorization Rule,Applicable To (Role),Vztahující se na (Role) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Nevyřízené listy DocType: BOM Update Tool,Replace BOM,Nahraďte kusovníku -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kód {0} již existuje +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kód {0} již existuje DocType: Patient Encounter,Procedures,Postupy apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Prodejní objednávky nejsou k dispozici pro výrobu DocType: Asset Movement,Purpose,Účel @@ -4269,6 +4272,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Ignorovat překrytí ča DocType: Warranty Claim,Service Address,Servisní adresy apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Import kmenových dat DocType: Asset Maintenance Task,Calibration,Kalibrace +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Testovací položka laboratoře {0} již existuje apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} je obchodní svátek apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Fakturovatelné hodiny apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Odešlete oznámení o stavu @@ -4631,7 +4635,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,plat Register DocType: Company,Default warehouse for Sales Return,Výchozí sklad pro vrácení prodeje DocType: Pick List,Parent Warehouse,Nadřízený sklad -DocType: Subscription,Net Total,Net Total +DocType: C-Form Invoice Detail,Net Total,Net Total apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Nastavte dobu použitelnosti položky ve dnech, nastavte dobu použitelnosti na základě data výroby plus doby použitelnosti." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Výchozí kusovník nebyl nalezen pro položku {0} a projekt {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Řádek {0}: Nastavte prosím platební režim v plánu plateb @@ -4746,7 +4750,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target sklad je povinná pro řadu {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Maloobchodní operace DocType: Cheque Print Template,Primary Settings,primární Nastavení -DocType: Attendance Request,Work From Home,Práce z domova +DocType: Attendance,Work From Home,Práce z domova DocType: Purchase Invoice,Select Supplier Address,Vybrat Dodavatel Address apps/erpnext/erpnext/public/js/event.js,Add Employees,Přidejte Zaměstnanci DocType: Purchase Invoice Item,Quality Inspection,Kontrola kvality @@ -4988,8 +4992,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,Autorizační adresa URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Množství {0} {1} {2} {3} DocType: Account,Depreciation,Znehodnocení -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Chcete-li tento dokument zrušit, prosím odstraňte zaměstnance {0} \" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Počet akcií a čísla akcií je nekonzistentní apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Dodavatel (é) DocType: Employee Attendance Tool,Employee Attendance Tool,Docházky zaměstnanců Tool @@ -5294,7 +5296,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kritéria analýzy rost DocType: Cheque Print Template,Cheque Height,Šek Výška DocType: Supplier,Supplier Details,Dodavatele Podrobnosti DocType: Setup Progress,Setup Progress,Pokročilé nastavení -DocType: Expense Claim,Approval Status,Stav schválení apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Z hodnota musí být menší než hodnota v řadě {0} DocType: Program,Intro Video,Úvodní video DocType: Manufacturing Settings,Default Warehouses for Production,Výchozí sklady pro výrobu @@ -5634,7 +5635,6 @@ DocType: Purchase Invoice,Rounded Total,Celkem zaokrouhleno apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Sloty pro {0} nejsou přidány do plánu DocType: Product Bundle,List items that form the package.,"Seznam položek, které tvoří balíček." apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Při převodu aktiva je vyžadováno cílové umístění {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nepovoleno. Vypněte testovací šablonu DocType: Sales Invoice,Distance (in km),Vzdálenost (v km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Podíl alokace by měla být ve výši 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Prosím, vyberte Datum zveřejnění před výběrem Party" @@ -5764,7 +5764,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Katalogová cena Exchange Rate apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Všechny skupiny dodavatelů DocType: Employee Boarding Activity,Required for Employee Creation,Požadováno pro vytváření zaměstnanců -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodavatel> Typ dodavatele apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Číslo účtu {0} již použito v účtu {1} DocType: GoCardless Mandate,Mandate,Mandát DocType: Hotel Room Reservation,Booked,Rezervováno @@ -5830,7 +5829,6 @@ DocType: Production Plan Item,Product Bundle Item,Product Bundle Item DocType: Sales Partner,Sales Partner Name,Sales Partner Name apps/erpnext/erpnext/hooks.py,Request for Quotations,Žádost o citátů DocType: Payment Reconciliation,Maximum Invoice Amount,Maximální částka faktury -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () selhala pro prázdný IBAN DocType: Normal Test Items,Normal Test Items,Normální testovací položky DocType: QuickBooks Migrator,Company Settings,Nastavení firmy DocType: Additional Salary,Overwrite Salary Structure Amount,Přepsat částku struktury platu @@ -5981,6 +5979,7 @@ DocType: Issue,Resolution By Variance,Rozlišení podle variace DocType: Leave Allocation,Leave Period,Opustit období DocType: Item,Default Material Request Type,Výchozí typ požadavku na zásobování DocType: Supplier Scorecard,Evaluation Period,Hodnocené období +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníků> Území apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Neznámý apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Pracovní příkaz nebyl vytvořen apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6339,8 +6338,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Požadované množství DocType: Lab Test Template,Lab Test Template,Šablona zkušebního laboratoře apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Účetní období se překrývá s {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodavatel> Typ dodavatele apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Prodejní účet DocType: Purchase Invoice Item,Total Weight,Celková váha +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Chcete-li tento dokument zrušit, prosím odstraňte zaměstnance {0} \" DocType: Pick List Item,Pick List Item,Vyberte položku seznamu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Provize z prodeje DocType: Job Offer Term,Value / Description,Hodnota / Popis @@ -6455,6 +6457,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Přihlášeno DocType: Bank Account,Party Type,Typ Party DocType: Discounted Invoice,Discounted Invoice,Zvýhodněná faktura +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Označit účast jako DocType: Payment Schedule,Payment Schedule,Platební kalendář apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Pro danou hodnotu pole zaměstnance nebyl nalezen žádný zaměstnanec. '{}': {} DocType: Item Attribute Value,Abbreviation,Zkratka @@ -6556,7 +6559,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Důvod pro pozdržení DocType: Employee,Personal Email,Osobní e-mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Celkový rozptyl DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Pokud je povoleno, bude systém odesílat účetní položky k zásobám automaticky." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () přijal neplatný IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Makléřská apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Účast na zaměstnance {0} je již označen pro tento den DocType: Work Order Operation,"in Minutes @@ -6827,6 +6829,7 @@ DocType: Appointment,Customer Details,Podrobnosti zákazníků apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Tisk IRS 1099 formulářů DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Zkontrolujte, zda majetek vyžaduje preventivní údržbu nebo kalibraci" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Společnost Zkratka nesmí mít více než 5 znaků +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Mateřská společnost musí být společností ve skupině DocType: Employee,Reports to,Zprávy ,Unpaid Expense Claim,Neplacené Náklady na pojistná DocType: Payment Entry,Paid Amount,Uhrazené částky @@ -6914,6 +6917,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Musí být nastaven datum zahájení zkušebního období a datum ukončení zkušebního období apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Průměrné hodnocení +DocType: Appointment,Appointment With,Schůzka s apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Celková částka platby v rozpisu plateb se musí rovnat hodnotě Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",„Položka poskytovaná zákazníkem“ nemůže mít sazbu ocenění DocType: Subscription Plan Detail,Plan,Plán @@ -7046,7 +7050,6 @@ DocType: Customer,Customer Primary Contact,Primární kontakt zákazníka apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Olovo% DocType: Bank Guarantee,Bank Account Info,Informace o bankovním účtu DocType: Bank Guarantee,Bank Guarantee Type,Typ bankovní záruky -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () selhala pro platný IBAN {} DocType: Payment Schedule,Invoice Portion,Fakturační část ,Asset Depreciations and Balances,Asset Odpisy a zůstatků apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Množství {0} {1} převedena z {2} na {3} @@ -7711,7 +7714,6 @@ DocType: Dosage Form,Dosage Form,Dávkovací forma apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Nastavte prosím v kampani rozvrh kampaně {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Ceník master. DocType: Task,Review Date,Review Datum -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Označit účast jako DocType: BOM,Allow Alternative Item,Povolit alternativní položku apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Potvrzení o nákupu neobsahuje žádnou položku, pro kterou je povolen Retain Sample." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktura celkem celkem @@ -7939,7 +7941,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Maximální limit opakování apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Ceník nebyl nalezen nebo zakázán DocType: Content Activity,Last Activity ,poslední aktivita -DocType: Student Applicant,Approved,Schválený DocType: Pricing Rule,Price,Cena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Zaměstnanec úlevu na {0} musí být nastaven jako ""Left""" DocType: Guardian,Guardian,poručník @@ -8110,6 +8111,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Procentní odpočet DocType: GL Entry,To Rename,Přejmenovat DocType: Stock Entry,Repack,Přebalit apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Vyberte pro přidání sériového čísla. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavte prosím Pojmenovací systém instruktorů v sekci Vzdělávání> Nastavení vzdělávání apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Nastavte prosím fiskální kód pro zákazníka '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Nejprve vyberte společnost DocType: Item Attribute,Numeric Values,Číselné hodnoty @@ -8126,6 +8128,7 @@ DocType: Salary Detail,Additional Amount,Další částka apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Košík je prázdný apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Položka {0} nemá žádné sériové číslo. Serializované položky \ mohou být doručeny na základě sériového čísla +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Odepsaná částka DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Skutečné provozní náklady DocType: Payment Entry,Cheque/Reference No,Šek / Referenční číslo diff --git a/erpnext/translations/da.csv b/erpnext/translations/da.csv index 6ffa78878d..e50b98e85d 100644 --- a/erpnext/translations/da.csv +++ b/erpnext/translations/da.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Standard skattefritagelses DocType: Exchange Rate Revaluation Account,New Exchange Rate,Ny valutakurs apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Valuta er nødvendig for prisliste {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Vil blive beregnet i transaktionen. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Indstil venligst medarbejdernavningssystem i menneskelig ressource> HR-indstillinger DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Kundeservicekontakt DocType: Shift Type,Enable Auto Attendance,Aktivér automatisk deltagelse @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Alle Leverandør Kontakt DocType: Support Settings,Support Settings,Support Indstillinger apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Konto {0} tilføjes i børneselskabet {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Ugyldige legitimationsoplysninger +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Markér arbejde hjemmefra apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC tilgængelig (uanset om det er i fuld op-del) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS-indstillinger apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Behandler værdikuponer @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Varemomsbeløb apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Medlemskabsdetaljer apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Leverandøren er påkrævet mod Betalings konto {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Varer og Priser -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Total time: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Fra dato skal være inden regnskabsåret. Antages Fra dato = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Valgt valg DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Betalingsbeskrivelse -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Angiv Naming Series for {0} via Setup> Settings> Naming Series apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Utilstrækkelig Stock DocType: Email Digest,New Sales Orders,Nye salgsordrer DocType: Bank Account,Bank Account,Bankkonto @@ -774,6 +772,7 @@ DocType: Request for Quotation,Request for Quotation,Anmodning om tilbud DocType: Healthcare Settings,Require Lab Test Approval,Kræv labtestgodkendelse DocType: Attendance,Working Hours,Arbejdstider apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Samlet Udestående +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-konverteringsfaktor ({0} -> {1}) ikke fundet for varen: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Skift start / aktuelle sekvensnummer af en eksisterende serie. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Procentdel, du har lov til at fakturere mere over det bestilte beløb. For eksempel: Hvis ordreværdien er $ 100 for en vare, og tolerancen er indstillet til 10%, har du lov til at fakturere $ 110." DocType: Dosage Strength,Strength,Styrke @@ -1262,7 +1261,6 @@ DocType: Timesheet,Total Billed Hours,Total Billed Timer DocType: Pricing Rule Item Group,Pricing Rule Item Group,Prisgruppe for vareposter DocType: Travel Itinerary,Travel To,Rejse til apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Valutakursrevalueringsmester. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Indstil nummerserier til deltagelse via Opsætning> Nummereringsserie apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Skriv Off Beløb DocType: Leave Block List Allow,Allow User,Tillad Bruger DocType: Journal Entry,Bill No,Bill Ingen @@ -1615,6 +1613,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Incitamenter apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Værdier ude af synkronisering apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Forskellen Værdi +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Indstil nummerserier til deltagelse via Opsætning> Nummereringsserie DocType: SMS Log,Requested Numbers,Anmodet Numbers DocType: Volunteer,Evening,Aften DocType: Quiz,Quiz Configuration,Quiz-konfiguration @@ -1782,6 +1781,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Fra Sted DocType: Student Admission,Publish on website,Udgiv på hjemmesiden apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Leverandørfakturadato kan ikke være større end bogføringsdatoen DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varekode> Varegruppe> Mærke DocType: Subscription,Cancelation Date,Annulleringsdato DocType: Purchase Invoice Item,Purchase Order Item,Indkøbsordre vare DocType: Agriculture Task,Agriculture Task,Landbrugsopgave @@ -2382,7 +2382,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Produktrabatplader DocType: Target Detail,Target Distribution,Target Distribution DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Afslutning af foreløbig vurdering apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Import af parter og adresser -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-konverteringsfaktor ({0} -> {1}) ikke fundet for varen: {2} DocType: Salary Slip,Bank Account No.,Bankkonto No. DocType: Naming Series,This is the number of the last created transaction with this prefix,Dette er antallet af sidste skabte transaktionen med dette præfiks DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2774,6 +2773,9 @@ DocType: Company,Default Holiday List,Standard helligdagskalender DocType: Pricing Rule,Supplier Group,Leverandørgruppe apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Række {0}: Fra tid og til tid af {1} overlapper med {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",En BOM med navn {0} findes allerede til punktet {1}.
Har du omdøbt varen? Kontakt administrator / teknisk support apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Stock Passiver DocType: Purchase Invoice,Supplier Warehouse,Leverandør Warehouse DocType: Opportunity,Contact Mobile No,Kontakt mobiltelefonnr. @@ -3216,6 +3218,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Mødebord af kvalitet apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Besøg fora +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Kan ikke udføre opgave {0}, da dens afhængige opgave {1} ikke er komplet / annulleret." DocType: Student,Student Mobile Number,Studerende mobiltelefonnr. DocType: Item,Has Variants,Har Varianter DocType: Employee Benefit Claim,Claim Benefit For,Claim fordele for @@ -3374,7 +3377,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Faktureret beløb i alt (via apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Opret gebyrplan apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Omsætning gamle kunder DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Indstil instruktørens navngivningssystem i uddannelse> Uddannelsesindstillinger DocType: Quiz,Enter 0 to waive limit,Indtast 0 for at fravige grænsen DocType: Bank Statement Settings,Mapped Items,Mappede elementer DocType: Amazon MWS Settings,IT,DET @@ -3408,7 +3410,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Der er ikke nok aktiv oprettet eller knyttet til {0}. \ Opret eller link {1} Aktiver med det respektive dokument. DocType: Pricing Rule,Apply Rule On Brand,Anvend regel på brand DocType: Task,Actual End Date (via Time Sheet),Faktisk Slutdato (via Tidsregistreringen) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Kan ikke lukke opgave {0}, da dens afhængige opgave {1} ikke er lukket." DocType: Soil Texture,Soil Type,Jordtype apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Mængden {0} {1} mod {2} {3} ,Quotation Trends,Tilbud trends @@ -3438,6 +3439,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Selvkørende køretøj DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Leverandør Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Række {0}: stykliste ikke fundet for vare {1} DocType: Contract Fulfilment Checklist,Requirement,Krav +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Indstil venligst medarbejdernavningssystem i menneskelig ressource> HR-indstillinger DocType: Journal Entry,Accounts Receivable,Tilgodehavender DocType: Quality Goal,Objectives,mål DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Rolle tilladt til at oprette ansøgning om forældet orlov @@ -3579,6 +3581,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Ansøgt apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Detaljer om udgående forsyninger og indgående forsyninger med tilbageførsel apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Genåbne +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Ikke tilladt. Deaktiver venligst Lab-testskabelonen DocType: Sales Invoice Item,Qty as per Stock UOM,Mængde pr. lagerenhed apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Navn apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3637,6 +3640,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Type virksomhed DocType: Sales Invoice,Consumer,Forbruger apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vælg tildelte beløb, Faktura Type og Fakturanummer i mindst én række" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Angiv Naming Series for {0} via Setup> Settings> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Udgifter til nye køb apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Salgsordre påkrævet for vare {0} DocType: Grant Application,Grant Description,Grant Beskrivelse @@ -3662,7 +3666,6 @@ DocType: Payment Request,Transaction Details,overførselsdetaljer apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,Klik på "Generer Schedule 'for at få tidsplan DocType: Item,"Purchase, Replenishment Details","Køb, detaljer om påfyldning" DocType: Products Settings,Enable Field Filters,Aktivér feltfiltre -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varekode> Varegruppe> Mærke apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","""Kundens leverede vare"" kan ikke være købsartikel også" DocType: Blanket Order Item,Ordered Quantity,Bestilt antal apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",fx "Byg værktøjer til bygherrer" @@ -4132,7 +4135,7 @@ DocType: BOM,Operating Cost (Company Currency),Driftsomkostninger (Company Valut DocType: Authorization Rule,Applicable To (Role),Gælder for (Rolle) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Afventer blade DocType: BOM Update Tool,Replace BOM,Udskift BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kode {0} eksisterer allerede +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kode {0} eksisterer allerede DocType: Patient Encounter,Procedures,Procedurer apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Salgsordrer er ikke tilgængelige til produktion DocType: Asset Movement,Purpose,Formål @@ -4228,6 +4231,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Ignorer medarbejdertiden DocType: Warranty Claim,Service Address,Tjeneste Adresse apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importer stamdata DocType: Asset Maintenance Task,Calibration,Kalibrering +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Labtestelement {0} findes allerede apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} er en firmas ferie apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Fakturerbare timer apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Forlad statusmeddelelse @@ -4578,7 +4582,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,Løn Register DocType: Company,Default warehouse for Sales Return,Standardlager til salgsafkast DocType: Pick List,Parent Warehouse,Forældre Warehouse -DocType: Subscription,Net Total,Netto i alt +DocType: C-Form Invoice Detail,Net Total,Netto i alt apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Indstil varens holdbarhed i dage for at indstille udløb baseret på fremstillingsdato plus opbevaringstid. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Standard BOM ikke fundet for Item {0} og Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Række {0}: Angiv betalingsmåde i betalingsplan @@ -4693,7 +4697,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target lageret er obligatorisk for rækken {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Detailoperationer DocType: Cheque Print Template,Primary Settings,Primære indstillinger -DocType: Attendance Request,Work From Home,Arbejde hjemmefra +DocType: Attendance,Work From Home,Arbejde hjemmefra DocType: Purchase Invoice,Select Supplier Address,Vælg leverandør Adresse apps/erpnext/erpnext/public/js/event.js,Add Employees,Tilføj medarbejdere DocType: Purchase Invoice Item,Quality Inspection,Kvalitetskontrol @@ -4935,8 +4939,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,Tilladelseswebadresse apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Mængden {0} {1} {2} {3} DocType: Account,Depreciation,Afskrivninger -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Slet medarbejderen {0} \ for at annullere dette dokument" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Antallet af aktier og aktienumrene er inkonsekvente apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Leverandør (er) DocType: Employee Attendance Tool,Employee Attendance Tool,Medarbejder Deltagerliste Værktøj @@ -5241,7 +5243,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Plant Analyse Kriterier DocType: Cheque Print Template,Cheque Height,Anvendes ikke DocType: Supplier,Supplier Details,Leverandør Detaljer DocType: Setup Progress,Setup Progress,Setup Progress -DocType: Expense Claim,Approval Status,Godkendelsesstatus apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Fra værdi skal være mindre end at værdien i række {0} DocType: Program,Intro Video,Introduktionsvideo DocType: Manufacturing Settings,Default Warehouses for Production,Standard lagerhuse til produktion @@ -5582,7 +5583,6 @@ DocType: Purchase Invoice,Rounded Total,Afrundet i alt apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots til {0} tilføjes ikke til skemaet DocType: Product Bundle,List items that form the package.,"Vis varer, der er indeholdt i pakken." apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Målplacering er påkrævet under overførsel af aktiver {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Ikke tilladt. Deaktiver venligst testskabelonen DocType: Sales Invoice,Distance (in km),Afstand (i km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Procentdel fordeling bør være lig med 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Vælg Bogføringsdato før du vælger Selskab @@ -5713,7 +5713,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Prisliste valutakurs apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Alle leverandørgrupper DocType: Employee Boarding Activity,Required for Employee Creation,Påkrævet for medarbejderskabelse -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandørtype apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},"Kontonummer {0}, der allerede er brugt i konto {1}" DocType: GoCardless Mandate,Mandate,Mandat DocType: Hotel Room Reservation,Booked,Reserveret @@ -5779,7 +5778,6 @@ DocType: Production Plan Item,Product Bundle Item,Produktpakkevare DocType: Sales Partner,Sales Partner Name,Forhandlernavn apps/erpnext/erpnext/hooks.py,Request for Quotations,Anmodning om tilbud DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimalt fakturabeløb -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () mislykkedes for tom IBAN DocType: Normal Test Items,Normal Test Items,Normale testelementer DocType: QuickBooks Migrator,Company Settings,Firmaindstillinger DocType: Additional Salary,Overwrite Salary Structure Amount,Overskrive lønstruktursbeløb @@ -5930,6 +5928,7 @@ DocType: Issue,Resolution By Variance,Opløsning efter variation DocType: Leave Allocation,Leave Period,Forladelsesperiode DocType: Item,Default Material Request Type,Standard materialeanmodningstype DocType: Supplier Scorecard,Evaluation Period,Evalueringsperiode +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Ukendt apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Arbejdsordre er ikke oprettet apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6288,8 +6287,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serienum DocType: Material Request Plan Item,Required Quantity,Påkrævet mængde DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Regnskabsperiode overlapper med {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandørtype apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Salgskonto DocType: Purchase Invoice Item,Total Weight,Totalvægt +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Slet medarbejderen {0} \ for at annullere dette dokument" DocType: Pick List Item,Pick List Item,Vælg listeelement apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Salgsprovisioner DocType: Job Offer Term,Value / Description,/ Beskrivelse @@ -6404,6 +6406,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Logget på DocType: Bank Account,Party Type,Selskabstype DocType: Discounted Invoice,Discounted Invoice,Rabatfaktura +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Markér deltagelse som DocType: Payment Schedule,Payment Schedule,Betalingsplan apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Der blev ikke fundet nogen medarbejder for den givne medarbejders feltværdi. '{}': {} DocType: Item Attribute Value,Abbreviation,Forkortelse @@ -6505,7 +6508,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Årsag til at sætte på ho DocType: Employee,Personal Email,Personlig e-mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Samlet Varians DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Hvis aktiveret, vil systemet sende bogføring for opgørelse automatisk." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () accepterede ugyldig IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerage apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Deltagelse for medarbejder {0} er allerede markeret for denne dag DocType: Work Order Operation,"in Minutes @@ -6775,6 +6777,7 @@ DocType: Appointment,Customer Details,Kunde Detaljer apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Udskriv IRS 1099-formularer DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Kontroller, om aktivet kræver forebyggende vedligeholdelse eller kalibrering" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Virksomhedsforkortelse kan ikke have mere end 5 tegn +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Moderselskabet skal være et koncernselskab DocType: Employee,Reports to,Rapporter til ,Unpaid Expense Claim,Ubetalt udlæg DocType: Payment Entry,Paid Amount,Betalt beløb @@ -6862,6 +6865,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Begge prøveperiode Startdato og prøveperiode Slutdato skal indstilles apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Gennemsnitlig sats +DocType: Appointment,Appointment With,Aftale med apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Samlet betalingsbeløb i betalingsplan skal svare til Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Kundens leverede vare"" kan ikke have værdiansættelsesrate" DocType: Subscription Plan Detail,Plan,Plan @@ -6994,7 +6998,6 @@ DocType: Customer,Customer Primary Contact,Kunde primær kontakt apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Bankkontooplysninger DocType: Bank Guarantee,Bank Guarantee Type,Bankgaranti Type -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () mislykkedes med gyldig IBAN {} DocType: Payment Schedule,Invoice Portion,Fakturaafdeling ,Asset Depreciations and Balances,Aktiver afskrivninger og balancer apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Mængden {0} {1} overført fra {2} til {3} @@ -7657,7 +7660,6 @@ DocType: Dosage Form,Dosage Form,Doseringsformular apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Opsæt kampagneplan i kampagnen {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Master-Prisliste. DocType: Task,Review Date,Anmeldelse Dato -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Markér deltagelse som DocType: BOM,Allow Alternative Item,Tillad alternativ vare apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Købskvittering har ingen varer, som Beholdningsprøve er aktiveret til." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktura Grand Total @@ -7885,7 +7887,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Prisliste ikke fundet eller deaktiveret DocType: Content Activity,Last Activity ,Sidste aktivitet -DocType: Student Applicant,Approved,Godkendt DocType: Pricing Rule,Price,Pris apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Medarbejder lettet på {0} skal indstilles som "Left" DocType: Guardian,Guardian,Guardian @@ -8056,6 +8057,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Procent Fradrag DocType: GL Entry,To Rename,At omdøbe DocType: Stock Entry,Repack,Pak om apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Vælg for at tilføje serienummer. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Indstil instruktørens navngivningssystem i uddannelse> Uddannelsesindstillinger apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Angiv skattekode for kunden '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Vælg venligst firmaet først DocType: Item Attribute,Numeric Values,Numeriske værdier @@ -8072,6 +8074,7 @@ DocType: Salary Detail,Additional Amount,Yderligere beløb apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Indkøbskurv er tom apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Vare {0} har ingen serienummer. Kun seriliserede artikler \ kan have levering baseret på serienummer +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Afskrevet beløb DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Faktiske driftsomkostninger DocType: Payment Entry,Cheque/Reference No,Anvendes ikke diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv index f4c727ee92..52d3a290c0 100644 --- a/erpnext/translations/de.csv +++ b/erpnext/translations/de.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Standard Steuerbefreiungsb DocType: Exchange Rate Revaluation Account,New Exchange Rate,Neuer Wechselkurs apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Währung für Preisliste {0} erforderlich DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Wird in der Transaktion berechnet. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Richten Sie das Employee Naming System unter Human Resource> HR Settings ein DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Kundenkontakt DocType: Shift Type,Enable Auto Attendance,Automatische Teilnahme aktivieren @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Alle Lieferantenkontakte DocType: Support Settings,Support Settings,Support-Einstellungen apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Konto {0} wurde in der untergeordneten Firma {1} hinzugefügt apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Ungültige Anmeldeinformationen +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Markieren Sie Work From Home apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC verfügbar (ob vollständig oder teilweise) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Einstellungen apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Bearbeitung von Gutscheinen @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Artikel Steuerb apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Mitgliedschaftsdetails apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Für das Kreditorenkonto ist ein Lieferant erforderlich {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Artikel und Preise -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundengruppe> Gebiet apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Stundenzahl: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},"Von-Datum sollte im Geschäftsjahr liegen. Unter der Annahme, Von-Datum = {0}" DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Ausgewählte Option DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool-Kurs DocType: Bank Statement Transaction Invoice Item,Payment Description,Zahlungs-Beschreibung -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stellen Sie die Benennungsserie für {0} über Setup> Einstellungen> Benennungsserie ein apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Nicht genug Lagermenge. DocType: Email Digest,New Sales Orders,Neue Kundenaufträge DocType: Bank Account,Bank Account,Bankkonto @@ -774,6 +772,7 @@ DocType: Request for Quotation,Request for Quotation,Angebotsanfrage DocType: Healthcare Settings,Require Lab Test Approval,Erforderliche Labortests genehmigen DocType: Attendance,Working Hours,Arbeitszeit apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Absolut aussergewöhnlich +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-Umrechnungsfaktor ({0} -> {1}) für Artikel nicht gefunden: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Anfangs- / Ist-Wert eines Nummernkreises ändern. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Prozentsatz, zu dem Sie mehr als den bestellten Betrag in Rechnung stellen dürfen. Beispiel: Wenn der Bestellwert für einen Artikel 100 US-Dollar beträgt und die Toleranz auf 10% festgelegt ist, können Sie 110 US-Dollar in Rechnung stellen." DocType: Dosage Strength,Strength,Stärke @@ -1262,7 +1261,6 @@ DocType: Timesheet,Total Billed Hours,Insgesamt Angekündigt Stunden DocType: Pricing Rule Item Group,Pricing Rule Item Group,Artikelgruppe für Preisregel DocType: Travel Itinerary,Travel To,Reisen nach apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Wechselkurs Neubewertung Master. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Richten Sie die Nummerierungsserie für die Teilnahme über Setup> Nummerierungsserie ein apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Abschreibungs-Betrag DocType: Leave Block List Allow,Allow User,Benutzer zulassen DocType: Journal Entry,Bill No,Rechnungsnr. @@ -1634,6 +1632,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Anreize apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Werte nicht synchron apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Differenzwert +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Richten Sie die Nummerierungsserie für die Teilnahme über Setup> Nummerierungsserie ein DocType: SMS Log,Requested Numbers,Angeforderte Nummern DocType: Volunteer,Evening,Abend DocType: Quiz,Quiz Configuration,Quiz-Konfiguration @@ -1801,6 +1800,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Von Ort DocType: Student Admission,Publish on website,Veröffentlichen Sie auf der Website apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Lieferant Rechnungsdatum kann nicht größer sein als Datum der Veröffentlichung DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgruppe> Marke DocType: Subscription,Cancelation Date,Stornierungsdatum DocType: Purchase Invoice Item,Purchase Order Item,Lieferantenauftrags-Artikel DocType: Agriculture Task,Agriculture Task,Landwirtschaftsaufgabe @@ -2401,7 +2401,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Produktrabattplatten DocType: Target Detail,Target Distribution,Aufteilung der Zielvorgaben DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Abschluss vorläufiger Beurteilung apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Parteien und Adressen importieren -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-Umrechnungsfaktor ({0} -> {1}) für Artikel nicht gefunden: {2} DocType: Salary Slip,Bank Account No.,Bankkonto-Nr. DocType: Naming Series,This is the number of the last created transaction with this prefix,Dies ist die Nummer der letzten erstellten Transaktion mit diesem Präfix DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2793,6 +2792,9 @@ DocType: Company,Default Holiday List,Standard-Urlaubsliste DocType: Pricing Rule,Supplier Group,Lieferantengruppe apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Zusammenfassung apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Zeile {0}: Zeitüberlappung in {1} mit {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",Zu Artikel {1} existiert bereits eine Stückliste mit dem Namen {0}.
Haben Sie den Artikel umbenannt? Bitte wenden Sie sich an den Administrator / technischen Support apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Lager-Verbindlichkeiten DocType: Purchase Invoice,Supplier Warehouse,Lieferantenlager DocType: Opportunity,Contact Mobile No,Kontakt-Mobiltelefonnummer @@ -3235,6 +3237,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Qualität Besprechungstisch apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Besuche die Foren +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Aufgabe {0} kann nicht abgeschlossen werden, da die abhängige Aufgabe {1} nicht abgeschlossen / abgebrochen wurde." DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,Hat Varianten DocType: Employee Benefit Claim,Claim Benefit For,Anspruchsvorteil für @@ -3393,7 +3396,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Gesamtrechnungsbetrag (über apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Gebührenverzeichnis erstellen apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Umsatz Bestandskunden DocType: Soil Texture,Silty Clay Loam,Siltiger Ton Lehm -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Richten Sie das Instructor Naming System unter Education> Education Settings ein DocType: Quiz,Enter 0 to waive limit,"Geben Sie 0 ein, um das Limit aufzuheben" DocType: Bank Statement Settings,Mapped Items,Zugeordnete Elemente DocType: Amazon MWS Settings,IT,ES @@ -3427,7 +3429,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Es wurden nicht genügend Elemente erstellt oder mit {0} verknüpft. \ Bitte erstellen oder verknüpfen Sie {1} Assets mit dem entsprechenden Dokument. DocType: Pricing Rule,Apply Rule On Brand,Regel auf Marke anwenden DocType: Task,Actual End Date (via Time Sheet),Das tatsächliche Enddatum (durch Zeiterfassung) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Aufgabe {0} kann nicht geschlossen werden, da die abhängige Aufgabe {1} nicht geschlossen wird." DocType: Soil Texture,Soil Type,Bodenart apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Menge {0} {1} gegen {2} {3} ,Quotation Trends,Trendanalyse Angebote @@ -3457,6 +3458,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Selbstfahrendes Fahrzeug DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Supplier Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Zeile {0}: Bill of Materials nicht für den Artikel gefunden {1} DocType: Contract Fulfilment Checklist,Requirement,Anforderung +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Richten Sie das Employee Naming System unter Human Resource> HR Settings ein DocType: Journal Entry,Accounts Receivable,Forderungen DocType: Quality Goal,Objectives,Ziele DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Berechtigte Rolle zum Erstellen eines zurückdatierten Urlaubsantrags @@ -3598,6 +3600,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,angewandt apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,"Einzelheiten zu Auslandslieferungen und Auslandslieferungen, die rückzahlungspflichtig sind" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Wiedereröffnen +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Nicht gestattet. Bitte deaktivieren Sie die Labortestvorlage DocType: Sales Invoice Item,Qty as per Stock UOM,Menge in Lagermaßeinheit apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Namen apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Stammfirma @@ -3656,6 +3659,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Geschäftsart DocType: Sales Invoice,Consumer,Verbraucher apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Bitte zugewiesenen Betrag, Rechnungsart und Rechnungsnummer in mindestens einer Zeile auswählen" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stellen Sie die Benennungsserie für {0} über Setup> Einstellungen> Benennungsserie ein apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kosten eines neuen Kaufs apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Kundenauftrag für den Artikel {0} erforderlich DocType: Grant Application,Grant Description,Gewähren Beschreibung @@ -3681,7 +3685,6 @@ DocType: Payment Request,Transaction Details,Transaktionsdetails apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"Bitte auf ""Zeitplan generieren"" klicken, um den Zeitplan zu erhalten" DocType: Item,"Purchase, Replenishment Details","Kauf, Nachschub Details" DocType: Products Settings,Enable Field Filters,Feldfilter aktivieren -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgruppe> Marke apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","""Vom Kunden beigestellter Artikel"" kann nicht gleichzeitig ""Einkaufsartikel"" sein" DocType: Blanket Order Item,Ordered Quantity,Bestellte Menge apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","z. B. ""Fertigungs-Werkzeuge für Hersteller""" @@ -4150,7 +4153,7 @@ DocType: BOM,Operating Cost (Company Currency),Betriebskosten (Gesellschaft Wäh DocType: Authorization Rule,Applicable To (Role),Anwenden auf (Rolle) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Ausstehende Blätter DocType: BOM Update Tool,Replace BOM,Erstelle Stückliste -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Code {0} existiert bereits +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Code {0} existiert bereits DocType: Patient Encounter,Procedures,Verfahren apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Kundenaufträge sind für die Produktion nicht verfügbar DocType: Asset Movement,Purpose,Zweck @@ -4266,6 +4269,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Mitarbeiterüberschneidu DocType: Warranty Claim,Service Address,Serviceadresse apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Stammdaten importieren DocType: Asset Maintenance Task,Calibration,Kalibrierung +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Labortestelement {0} ist bereits vorhanden apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ist ein Firmenurlaub apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Abrechenbare Stunden apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Benachrichtigung über den Status des Urlaubsantrags @@ -4628,7 +4632,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,Gehalt Register DocType: Company,Default warehouse for Sales Return,Standardlager für Verkaufsretoure DocType: Pick List,Parent Warehouse,Übergeordnetes Lager -DocType: Subscription,Net Total,Nettosumme +DocType: C-Form Invoice Detail,Net Total,Nettosumme apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Legen Sie die Haltbarkeit des Artikels in Tagen fest, um den Verfall basierend auf dem Herstellungsdatum und der Haltbarkeit festzulegen." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Standard-Stückliste nicht gefunden für Position {0} und Projekt {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Zeile {0}: Bitte legen Sie die Zahlungsart im Zahlungsplan fest @@ -4743,7 +4747,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Eingangslager ist für Zeile {0} zwingend erforderlich apps/erpnext/erpnext/config/retail.py,Retail Operations,Einzelhandel DocType: Cheque Print Template,Primary Settings,Primäre Einstellungen -DocType: Attendance Request,Work From Home,Von zuhause aus arbeiten +DocType: Attendance,Work From Home,Von zuhause aus arbeiten DocType: Purchase Invoice,Select Supplier Address,Lieferantenadresse auswählen apps/erpnext/erpnext/public/js/event.js,Add Employees,Mitarbeiter hinzufügen DocType: Purchase Invoice Item,Quality Inspection,Qualitätsprüfung @@ -4985,8 +4989,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,Autorisierungs-URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Menge {0} {1} {2} {3} DocType: Account,Depreciation,Abschreibung -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Bitte löschen Sie den Mitarbeiter {0} \, um dieses Dokument zu stornieren" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Die Anzahl der Aktien und die Aktienanzahl sind inkonsistent apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Lieferant(en) DocType: Employee Attendance Tool,Employee Attendance Tool,MItarbeiter-Anwesenheits-Werkzeug @@ -5291,7 +5293,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Anlagenanalysekriterien DocType: Cheque Print Template,Cheque Height,Scheck Höhe DocType: Supplier,Supplier Details,Lieferantendetails DocType: Setup Progress,Setup Progress,Setup Fortschritt -DocType: Expense Claim,Approval Status,Genehmigungsstatus apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Von-Wert muss weniger sein als Bis-Wert in Zeile {0} DocType: Program,Intro Video,Einführungsvideo DocType: Manufacturing Settings,Default Warehouses for Production,Standardlager für die Produktion @@ -5632,7 +5633,6 @@ DocType: Purchase Invoice,Rounded Total,Gerundete Gesamtsumme apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots für {0} werden dem Zeitplan nicht hinzugefügt DocType: Product Bundle,List items that form the package.,"Die Artikel auflisten, die das Paket bilden." apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},"Zielspeicherort ist erforderlich, während das Asset {0} übertragen wird" -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nicht gestattet. Bitte deaktivieren Sie die Testvorlage DocType: Sales Invoice,Distance (in km),Entfernung (in km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Prozentuale Aufteilung sollte gleich 100% sein apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Bitte wählen Sie Buchungsdatum vor dem Party-Auswahl @@ -5762,7 +5762,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Preislisten-Wechselkurs apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Alle Lieferantengruppen DocType: Employee Boarding Activity,Required for Employee Creation,Erforderlich für die Mitarbeitererstellung -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Lieferant> Lieferantentyp apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Die Kontonummer {0} wurde bereits im Konto {1} verwendet. DocType: GoCardless Mandate,Mandate,Mandat DocType: Hotel Room Reservation,Booked,Gebucht @@ -5828,7 +5827,6 @@ DocType: Production Plan Item,Product Bundle Item,Produkt-Bundle-Artikel DocType: Sales Partner,Sales Partner Name,Name des Vertriebspartners apps/erpnext/erpnext/hooks.py,Request for Quotations,Angebotsanfrage DocType: Payment Reconciliation,Maximum Invoice Amount,Maximaler Rechnungsbetrag -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () fehlgeschlagen für leere IBAN DocType: Normal Test Items,Normal Test Items,Normale Testartikel DocType: QuickBooks Migrator,Company Settings,Unternehmenseinstellungen DocType: Additional Salary,Overwrite Salary Structure Amount,Gehaltsstruktur überschreiben @@ -5979,6 +5977,7 @@ DocType: Issue,Resolution By Variance,Auflösung durch Varianz DocType: Leave Allocation,Leave Period,Urlaubszeitraum DocType: Item,Default Material Request Type,Standard-Material anfordern Typ DocType: Supplier Scorecard,Evaluation Period,Bewertungszeitraum +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundengruppe> Gebiet apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Unbekannt apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Arbeitsauftrag wurde nicht erstellt apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6337,8 +6336,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serien # DocType: Material Request Plan Item,Required Quantity,Benötigte Menge DocType: Lab Test Template,Lab Test Template,Labortestvorlage apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Abrechnungszeitraum überschneidet sich mit {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Lieferant> Lieferantentyp apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Verkaufskonto DocType: Purchase Invoice Item,Total Weight,Gesamtgewicht +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Bitte löschen Sie den Mitarbeiter {0} \, um dieses Dokument zu stornieren" DocType: Pick List Item,Pick List Item,Listenelement auswählen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Provision auf den Umsatz DocType: Job Offer Term,Value / Description,Wert / Beschreibung @@ -6453,6 +6455,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Angemeldet DocType: Bank Account,Party Type,Gruppen-Typ DocType: Discounted Invoice,Discounted Invoice,Rabattierte Rechnung +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Anwesenheit markieren als DocType: Payment Schedule,Payment Schedule,Zahlungsplan apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Für den angegebenen Mitarbeiterfeldwert wurde kein Mitarbeiter gefunden. '{}': {} DocType: Item Attribute Value,Abbreviation,Abkürzung @@ -6554,7 +6557,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Grund für das Halten DocType: Employee,Personal Email,Persönliche E-Mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Gesamtabweichung DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Wenn aktiviert, bucht das System Bestandsbuchungen automatisch." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () hat ungültige IBAN akzeptiert {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Maklerprovision apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Die Teilnahme für Mitarbeiter {0} ist bereits für diesen Tag markiert DocType: Work Order Operation,"in Minutes @@ -6824,6 +6826,7 @@ DocType: Appointment,Customer Details,Kundendaten apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Drucken Sie IRS 1099-Formulare DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Überprüfen Sie, ob der Vermögenswert eine vorbeugende Wartung oder Kalibrierung erfordert" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Firmenkürzel darf nicht mehr als 5 Zeichen haben +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Die Muttergesellschaft muss eine Konzerngesellschaft sein DocType: Employee,Reports to,Berichte an ,Unpaid Expense Claim,Ungezahlte Spesenabrechnung DocType: Payment Entry,Paid Amount,Gezahlter Betrag @@ -6909,6 +6912,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Anzahl der Chancen apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Das Startdatum für die Testperiode und das Enddatum für die Testperiode müssen festgelegt werden apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Durchschnittsrate +DocType: Appointment,Appointment With,Termin mit apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Der gesamte Zahlungsbetrag im Zahlungsplan muss gleich Groß / Abgerundet sein apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Customer Provided Item"" kann eine Bewertung haben." DocType: Subscription Plan Detail,Plan,Planen @@ -7041,7 +7045,6 @@ DocType: Customer,Customer Primary Contact,Hauptkontakt des Kunden apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Chance / Lead % DocType: Bank Guarantee,Bank Account Info,Bankkontodaten DocType: Bank Guarantee,Bank Guarantee Type,Art der Bankgarantie -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () fehlgeschlagen für gültige IBAN {} DocType: Payment Schedule,Invoice Portion,Rechnungsteil ,Asset Depreciations and Balances,Vermögenswertabschreibungen und -Blianz apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Menge {0} {1} übertragen von {2} auf {3} @@ -7706,7 +7709,6 @@ DocType: Dosage Form,Dosage Form,Dosierungsform apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Richten Sie den Kampagnenzeitplan in der Kampagne {0} ein. apps/erpnext/erpnext/config/buying.py,Price List master.,Preislisten-Vorlagen DocType: Task,Review Date,Überprüfungsdatum -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Anwesenheit markieren als DocType: BOM,Allow Alternative Item,Alternative Artikel zulassen apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Der Kaufbeleg enthält keinen Artikel, für den die Option "Probe aufbewahren" aktiviert ist." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Rechnungssumme @@ -7934,7 +7936,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Max. Wiederholungslimit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Preisliste nicht gefunden oder deaktiviert DocType: Content Activity,Last Activity ,Letzte Aktivität -DocType: Student Applicant,Approved,Genehmigt DocType: Pricing Rule,Price,Preis apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Freigestellter Angestellter {0} muss als ""entlassen"" gekennzeichnet werden" DocType: Guardian,Guardian,Erziehungsberechtigte(r) @@ -8105,6 +8106,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Prozentabzug DocType: GL Entry,To Rename,Umbenennen DocType: Stock Entry,Repack,Umpacken apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Wählen Sie diese Option, um eine Seriennummer hinzuzufügen." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Richten Sie das Instructor Naming System unter Education> Education Settings ein apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Bitte setzen Sie die Steuer-Code für den Kunden '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Bitte wählen Sie zuerst das Unternehmen aus DocType: Item Attribute,Numeric Values,Numerische Werte @@ -8121,6 +8123,7 @@ DocType: Salary Detail,Additional Amount,Zusatzbetrag apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Der Warenkorb ist leer apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Artikel {0} hat keine Seriennummer. Nur serialisierte Artikel \ können auf Basis der Seriennr +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Abschreibungsbetrag DocType: Vehicle,Model,Modell DocType: Work Order,Actual Operating Cost,Tatsächliche Betriebskosten DocType: Payment Entry,Cheque/Reference No,Scheck-/ Referenznummer diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv index 08579a3ef5..574a94f90f 100644 --- a/erpnext/translations/el.csv +++ b/erpnext/translations/el.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Πρότυπο ποσό α DocType: Exchange Rate Revaluation Account,New Exchange Rate,Νέος συναλλαγματικός συντελεστής apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Το νόμισμα είναι απαραίτητο για τον τιμοκατάλογο {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Θα υπολογίζεται στη συναλλαγή. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό> Ρυθμίσεις HR DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Επικοινωνία Πελατών DocType: Shift Type,Enable Auto Attendance,Ενεργοποίηση αυτόματης παρακολούθησης @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Όλες οι επαφές προμηθ DocType: Support Settings,Support Settings,Ρυθμίσεις υποστήριξη apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Ο λογαριασμός {0} προστίθεται στην παιδική εταιρεία {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Ακυρα διαπιστευτήρια +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Μαρκάρετε την εργασία από το σπίτι apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC Διαθέσιμο (είτε σε πλήρη op μέρος) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Ρυθμίσεις apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Επεξεργασία κουπονιών @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Το ποσό apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Στοιχεία μέλους apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Προμηθευτής υποχρεούται έναντι πληρωμή του λογαριασμού {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Προϊόντα και Τιμολόγηση -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Πελάτης> Ομάδα πελατών> Επικράτεια apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Σύνολο ωρών: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Το πεδίο από ημερομηνία πρέπει να είναι εντός της χρήσης. Υποθέτοντας από ημερομηνία = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Επιλεγμένη επιλογή DocType: SG Creation Tool Course,SG Creation Tool Course,ΓΓ Δημιουργία μαθήματος Εργαλείο DocType: Bank Statement Transaction Invoice Item,Payment Description,Περιγραφή πληρωμής -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ορίστε την Ονοματοδοσία για {0} μέσω του Setup> Settings> Naming Series apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Ανεπαρκές Αποθεματικό DocType: Email Digest,New Sales Orders,Νέες παραγγελίες πωλήσεων DocType: Bank Account,Bank Account,Τραπεζικός λογαριασμός @@ -774,6 +772,7 @@ DocType: Request for Quotation,Request for Quotation,Αίτηση για προ DocType: Healthcare Settings,Require Lab Test Approval,Απαιτείται έγκριση δοκιμής εργαστηρίου DocType: Attendance,Working Hours,Ώρες εργασίας apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Σύνολο εξαιρετικών +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Ο συντελεστής μετατροπής ({0} -> {1}) δεν βρέθηκε για το στοιχείο: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Αλλάξτε τον αρχικό/τρέχων αύξοντα αριθμός μιας υπάρχουσας σειράς. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,Ποσοστό σας επιτρέπεται να χρεώσετε περισσότερο έναντι του παραγγελθέντος ποσού. Για παράδειγμα: Εάν η τιμή της παραγγελίας είναι $ 100 για ένα στοιχείο και η ανοχή ορίζεται ως 10% τότε μπορείτε να χρεώσετε για $ 110. DocType: Dosage Strength,Strength,Δύναμη @@ -1262,7 +1261,6 @@ DocType: Timesheet,Total Billed Hours,Σύνολο Τιμολογημένος Ώ DocType: Pricing Rule Item Group,Pricing Rule Item Group,Στοιχείο ομάδας κανόνων τιμών DocType: Travel Itinerary,Travel To,Ταξιδεύω στο apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Κύρια αντιστάθμιση συναλλαγματικής ισοτιμίας. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης> Σειρά αρίθμησης apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Διαγραφή ποσού DocType: Leave Block List Allow,Allow User,Επίτρεψε χρήστη DocType: Journal Entry,Bill No,Αρ. Χρέωσης @@ -1634,6 +1632,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Κίνητρα apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Τιμές εκτός συγχρονισμού apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Τιμή διαφοράς +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης> Σειρά αρίθμησης DocType: SMS Log,Requested Numbers,Αιτήματα Αριθμοί DocType: Volunteer,Evening,Απόγευμα DocType: Quiz,Quiz Configuration,Διαμόρφωση κουίζ @@ -1801,6 +1800,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Από τ DocType: Student Admission,Publish on website,Δημοσιεύει στην ιστοσελίδα apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Τιμολόγιο προμηθευτή ημερομηνία αυτή δεν μπορεί να είναι μεγαλύτερη από την απόσπαση Ημερομηνία DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Κωδικός στοιχείου> Ομάδα στοιχείων> Μάρκα DocType: Subscription,Cancelation Date,Ημερομηνία ακύρωσης DocType: Purchase Invoice Item,Purchase Order Item,Είδος παραγγελίας αγοράς DocType: Agriculture Task,Agriculture Task,Γεωργική εργασία @@ -2400,7 +2400,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Φύλλα έκπτωσης DocType: Target Detail,Target Distribution,Στόχος διανομής DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Οριστικοποίηση προσωρινής αξιολόγησης apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Εισαγωγή μερών και διευθύνσεων -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Ο συντελεστής μετατροπής ({0} -> {1}) δεν βρέθηκε για το στοιχείο: {2} DocType: Salary Slip,Bank Account No.,Αριθμός τραπεζικού λογαριασμού DocType: Naming Series,This is the number of the last created transaction with this prefix,Αυτός είναι ο αριθμός της τελευταίας συναλλαγής που δημιουργήθηκε με αυτό το πρόθεμα DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2792,6 +2791,9 @@ DocType: Company,Default Holiday List,Προεπιλεγμένη λίστα δι DocType: Pricing Rule,Supplier Group,Ομάδα προμηθευτών apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Σύνοψη apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Σειρά {0}: από το χρόνο και την ώρα της {1} είναι η επικάλυψη με {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",Ένα BOM με όνομα {0} υπάρχει ήδη για το στοιχείο {1}.
Μετονομάσατε το στοιχείο; Επικοινωνήστε με τη διαχειριστή / τεχνική υποστήριξη apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Υποχρεώσεις αποθέματος DocType: Purchase Invoice,Supplier Warehouse,Αποθήκη προμηθευτή DocType: Opportunity,Contact Mobile No,Αριθμός κινητού επαφής @@ -3234,6 +3236,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Πίνακας ποιότητας συναντήσεων apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Επισκεφθείτε τα φόρουμ +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Δεν είναι δυνατή η ολοκλήρωση της εργασίας {0} καθώς η εξαρτημένη εργασία {1} δεν έχει συμπληρωθεί / ακυρωθεί. DocType: Student,Student Mobile Number,Φοιτητής Αριθμός Κινητού DocType: Item,Has Variants,Έχει παραλλαγές DocType: Employee Benefit Claim,Claim Benefit For,Απαίτηση @@ -3392,7 +3395,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Συνολικό Ποσό χ apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Δημιουργία χρονοδιαγράμματος αμοιβών apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Έσοδα επαναλαμβανόμενων πελατών DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εκπαιδευτών στην Εκπαίδευση> Ρυθμίσεις Εκπαίδευσης DocType: Quiz,Enter 0 to waive limit,Εισαγάγετε 0 για να ακυρώσετε το όριο DocType: Bank Statement Settings,Mapped Items,Χαρτογραφημένα στοιχεία DocType: Amazon MWS Settings,IT,ΤΟ @@ -3426,7 +3428,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Δεν υπάρχει αρκετό στοιχείο δημιουργημένο ή συνδεδεμένο με {0}. \ Παρακαλούμε δημιουργήστε ή συνδέστε {1} Περιουσιακά στοιχεία με το αντίστοιχο έγγραφο. DocType: Pricing Rule,Apply Rule On Brand,Εφαρμόστε τον κανόνα στο εμπορικό σήμα DocType: Task,Actual End Date (via Time Sheet),Πραγματική Ημερομηνία λήξης (μέσω Ώρα Φύλλο) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Δεν είναι δυνατή η περάτωση της εργασίας {0} καθώς η εξαρτημένη εργασία {1} δεν είναι κλειστή. DocType: Soil Texture,Soil Type,Τύπος εδάφους apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Ποσό {0} {1} από {2} {3} ,Quotation Trends,Τάσεις προσφορών @@ -3456,6 +3457,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Αυτοκίνητο όχημα DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Βαθμολογία προμηθευτή Scorecard apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Κατάλογος Υλικών δεν βρέθηκε για την Θέση {1} DocType: Contract Fulfilment Checklist,Requirement,Απαίτηση +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό> Ρυθμίσεις HR DocType: Journal Entry,Accounts Receivable,Εισπρακτέοι λογαριασμοί DocType: Quality Goal,Objectives,Στόχοι DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Ο ρόλος που επιτρέπεται να δημιουργεί μια εφαρμογή Backdated Leave @@ -3597,6 +3599,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Εφαρμοσμένος apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Λεπτομέρειες σχετικά με τις εξωτερικές προμήθειες και τις εισερχόμενες προμήθειες που ενδέχεται να αντιστραφούν apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Άνοιγμα ξανά +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Δεν επιτρέπεται. Απενεργοποιήστε το πρότυπο δοκιμής Lab DocType: Sales Invoice Item,Qty as per Stock UOM,Ποσότητα σύμφωνα με τη Μ.Μ. Αποθέματος apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Όνομα Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3655,6 +3658,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Είδος επιχείρησης DocType: Sales Invoice,Consumer,Καταναλωτής apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Παρακαλώ επιλέξτε χορηγούμενο ποσό, τύπο τιμολογίου και αριθμό τιμολογίου σε τουλάχιστον μία σειρά" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ορίστε την Ονοματοδοσία για {0} μέσω του Setup> Settings> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Το κόστος της Νέας Αγοράς apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Η παραγγελία πώλησης για το είδος {0} είναι απαραίτητη DocType: Grant Application,Grant Description,Περιγραφή επιχορήγησης @@ -3680,7 +3684,6 @@ DocType: Payment Request,Transaction Details,Λεπτομέρειες Συναλ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,Παρακαλώ κάντε κλικ στο 'δημιουργία χρονοδιαγράμματος' για να δείτε το πρόγραμμα DocType: Item,"Purchase, Replenishment Details","Αγορά, Λεπτομέρειες αναπλήρωσης" DocType: Products Settings,Enable Field Filters,Ενεργοποίηση φίλτρων πεδίου -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Κωδικός στοιχείου> Ομάδα στοιχείων> Μάρκα apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","""Στοιχείο που παρέχεται από τον πελάτη"" δεν μπορεί να είναι επίσης στοιχείο αγοράς" DocType: Blanket Order Item,Ordered Quantity,Παραγγελθείσα ποσότητα apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",Π.Χ. Χτίστε εργαλεία για τους κατασκευαστές ' @@ -4150,7 +4153,7 @@ DocType: BOM,Operating Cost (Company Currency),Λειτουργικό κόστο DocType: Authorization Rule,Applicable To (Role),Εφαρμοστέα σε (ρόλος) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Σε εκκρεμότητα φύλλα DocType: BOM Update Tool,Replace BOM,Αντικαταστήστε το BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Ο κωδικός {0} υπάρχει ήδη +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Ο κωδικός {0} υπάρχει ήδη DocType: Patient Encounter,Procedures,Διαδικασίες apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Οι παραγγελίες πωλήσεων δεν είναι διαθέσιμες για παραγωγή DocType: Asset Movement,Purpose,Σκοπός @@ -4266,6 +4269,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Αγνοήστε την DocType: Warranty Claim,Service Address,Διεύθυνση υπηρεσίας apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Εισαγωγή βασικών δεδομένων DocType: Asset Maintenance Task,Calibration,Βαθμονόμηση +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Το στοιχείο δοκιμής Lab {0} υπάρχει ήδη apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} είναι εορταστική περίοδος apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Χρεωστικές ώρες apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Αφήστε την ειδοποίηση κατάστασης @@ -4628,7 +4632,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,μισθός Εγγραφή DocType: Company,Default warehouse for Sales Return,Προκαθορισμένη αποθήκη για επιστροφή πωλήσεων DocType: Pick List,Parent Warehouse,μητρική Αποθήκη -DocType: Subscription,Net Total,Καθαρό σύνολο +DocType: C-Form Invoice Detail,Net Total,Καθαρό σύνολο apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Ρυθμίστε τη διάρκεια ζωής του προϊόντος σε ημέρες, για να ορίσετε τη λήξη βάσει της ημερομηνίας κατασκευής και της διάρκειας ζωής." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Το προεπιλεγμένο BOM δεν βρέθηκε για τα στοιχεία {0} και Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Σειρά {0}: Ρυθμίστε τον τρόπο πληρωμής στο χρονοδιάγραμμα πληρωμών @@ -4743,7 +4747,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Η αποθήκη προορισμού είναι απαραίτητη για τη γραμμή {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Λιανικές Λειτουργίες DocType: Cheque Print Template,Primary Settings,πρωτοβάθμια Ρυθμίσεις -DocType: Attendance Request,Work From Home,Δουλειά από το σπίτι +DocType: Attendance,Work From Home,Δουλειά από το σπίτι DocType: Purchase Invoice,Select Supplier Address,Επιλέξτε Διεύθυνση Προμηθευτή apps/erpnext/erpnext/public/js/event.js,Add Employees,Προσθέστε Υπαλλήλους DocType: Purchase Invoice Item,Quality Inspection,Επιθεώρηση ποιότητας @@ -4985,8 +4989,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,Διεύθυνση URL εξουσιοδότησης apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Ποσό {0} {1} {2} {3} DocType: Account,Depreciation,Απόσβεση -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Διαγράψτε τον υπάλληλο {0} \ για να ακυρώσετε αυτό το έγγραφο" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Ο αριθμός των μετοχών και οι αριθμοί μετοχών είναι ασυμβίβαστοι apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Προμηθευτής(-ές) DocType: Employee Attendance Tool,Employee Attendance Tool,Εργαλείο συμμετοχή των εργαζομένων @@ -5291,7 +5293,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Κριτήρια ανά DocType: Cheque Print Template,Cheque Height,Επιταγή Ύψος DocType: Supplier,Supplier Details,Στοιχεία προμηθευτή DocType: Setup Progress,Setup Progress,Πρόοδος εγκατάστασης -DocType: Expense Claim,Approval Status,Κατάσταση έγκρισης apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Η ΄από τιμή' πρέπει να είναι μικρότερη από την 'έως τιμή' στη γραμμή {0} DocType: Program,Intro Video,Εισαγωγή βίντεο DocType: Manufacturing Settings,Default Warehouses for Production,Προκαθορισμένες αποθήκες παραγωγής @@ -5632,7 +5633,6 @@ DocType: Purchase Invoice,Rounded Total,Στρογγυλοποιημένο σύ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Οι χρονοθυρίδες {0} δεν προστίθενται στο πρόγραμμα DocType: Product Bundle,List items that form the package.,Απαριθμήστε τα είδη που αποτελούν το συσκευασία. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Θέση στόχου απαιτείται κατά τη μεταφορά του Asset {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Δεν επιτρέπεται. Απενεργοποιήστε το πρότυπο δοκιμής DocType: Sales Invoice,Distance (in km),Απόσταση (σε km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Το ποσοστό κατανομής θα πρέπει να είναι ίσο με το 100 % apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Επιλέξτε Απόσπαση Ημερομηνία πριν από την επιλογή Κόμματος @@ -5762,7 +5762,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Ισοτιμία τιμοκαταλόγου apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Όλες οι ομάδες προμηθευτών DocType: Employee Boarding Activity,Required for Employee Creation,Απαιτείται για τη δημιουργία υπαλλήλων -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Προμηθευτής> Τύπος προμηθευτή apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Ο αριθμός λογαριασμού {0} που χρησιμοποιείται ήδη στον λογαριασμό {1} DocType: GoCardless Mandate,Mandate,Εντολή DocType: Hotel Room Reservation,Booked,Κράτηση @@ -5828,7 +5827,6 @@ DocType: Production Plan Item,Product Bundle Item,Προϊόν Bundle Προϊό DocType: Sales Partner,Sales Partner Name,Όνομα συνεργάτη πωλήσεων apps/erpnext/erpnext/hooks.py,Request for Quotations,Αίτηση για προσφορά DocType: Payment Reconciliation,Maximum Invoice Amount,Μέγιστο ποσό του τιμολογίου -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,Το BankAccount.validate_iban () απέτυχε για κενό IBAN DocType: Normal Test Items,Normal Test Items,Κανονικά στοιχεία δοκιμής DocType: QuickBooks Migrator,Company Settings,Ρυθμίσεις εταιρείας DocType: Additional Salary,Overwrite Salary Structure Amount,Αντικαταστήστε το ποσό της δομής μισθοδοσίας @@ -5979,6 +5977,7 @@ DocType: Issue,Resolution By Variance,Ψήφισμα Με Απόκλιση DocType: Leave Allocation,Leave Period,Αφήστε την περίοδο DocType: Item,Default Material Request Type,Προεπιλογή Τύπος Υλικού Αίτηση DocType: Supplier Scorecard,Evaluation Period,Περίοδος αξιολόγησης +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Πελάτης> Ομάδα πελατών> Επικράτεια apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Άγνωστος apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Η εντολή εργασίας δεν δημιουργήθηκε apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6337,8 +6336,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Σειρ DocType: Material Request Plan Item,Required Quantity,Απαιτούμενη ποσότητα DocType: Lab Test Template,Lab Test Template,Πρότυπο δοκιμής εργαστηρίου apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Η περίοδος λογιστικής επικαλύπτεται με {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Προμηθευτής> Τύπος προμηθευτή apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Λογαριασμός πωλήσεων DocType: Purchase Invoice Item,Total Weight,Συνολικό βάρος +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Διαγράψτε τον υπάλληλο {0} \ για να ακυρώσετε αυτό το έγγραφο" DocType: Pick List Item,Pick List Item,Επιλογή στοιχείου λίστας apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Προμήθεια επί των πωλήσεων DocType: Job Offer Term,Value / Description,Αξία / Περιγραφή @@ -6453,6 +6455,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Έχει ενεργοποιηθεί DocType: Bank Account,Party Type,Τύπος συμβαλλόμενου DocType: Discounted Invoice,Discounted Invoice,Εκπτωτικό Τιμολόγιο +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Σημειώστε τη συμμετοχή ως DocType: Payment Schedule,Payment Schedule,ΠΡΟΓΡΑΜΜΑ ΠΛΗΡΩΜΩΝ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Κανένας υπάλληλος δεν βρέθηκε για την δεδομένη αξία τομέα των εργαζομένων. '{}': {} DocType: Item Attribute Value,Abbreviation,Συντομογραφία @@ -6554,7 +6557,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Λόγος για την α DocType: Employee,Personal Email,Προσωπικό email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Συνολική διακύμανση DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Εάν είναι ενεργοποιημένο, το σύστημα θα καταχωρεί λογιστικές εγγραφές για την απογραφή αυτόματα." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},Το BankAccount.validate_iban () αποδέχθηκε άκυρο IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Μεσιτεία apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Η φοίτηση για εργαζόμενο {0} έχει ήδη επισημανθεί για αυτήν την ημέρα DocType: Work Order Operation,"in Minutes @@ -6825,6 +6827,7 @@ DocType: Appointment,Customer Details,Στοιχεία πελάτη apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Εκτύπωση έντυπα IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Ελέγξτε εάν το στοιχείο Asset απαιτεί προληπτική συντήρηση ή βαθμονόμηση apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Η συντομογραφία της εταιρείας δεν μπορεί να έχει περισσότερους από 5 χαρακτήρες +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Η μητρική εταιρεία πρέπει να είναι εταιρεία του ομίλου DocType: Employee,Reports to,Εκθέσεις προς ,Unpaid Expense Claim,Απλήρωτα αξίωση Εξόδων DocType: Payment Entry,Paid Amount,Καταβληθέν ποσό @@ -6912,6 +6915,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Αρίθμηση Opp apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Πρέπει να οριστεί τόσο η ημερομηνία έναρξης της δοκιμαστικής περιόδου όσο και η ημερομηνία λήξης της δοκιμαστικής περιόδου apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Μέσος όρος +DocType: Appointment,Appointment With,Ραντεβού με apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Το συνολικό ποσό πληρωμής στο Πρόγραμμα Πληρωμών πρέπει να είναι ίσο με το Μεγάλο / Στρογγυλεμένο Σύνολο apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Το ""Στοιχείο που παρέχεται από πελάτη"" δεν μπορεί να έχει Τιμή εκτίμησης" DocType: Subscription Plan Detail,Plan,Σχέδιο @@ -7044,7 +7048,6 @@ DocType: Customer,Customer Primary Contact,Αρχική επικοινωνία apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Πληροφορίες τραπεζικού λογαριασμού DocType: Bank Guarantee,Bank Guarantee Type,Τύπος τραπεζικής εγγύησης -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},Το BankAccount.validate_iban () απέτυχε για έγκυρο IBAN {} DocType: Payment Schedule,Invoice Portion,Τμήμα τιμολογίου ,Asset Depreciations and Balances,Ενεργητικού Αποσβέσεις και Υπόλοιπα apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Ποσό {0} {1} μεταφέρεται από {2} σε {3} @@ -7708,7 +7711,6 @@ DocType: Dosage Form,Dosage Form,Φόρμα δοσολογίας apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Ρυθμίστε το Πρόγραμμα Καμπάνιας στην καμπάνια {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Κύρια εγγραφή τιμοκαταλόγου. DocType: Task,Review Date,Ημερομηνία αξιολόγησης -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Σημειώστε τη συμμετοχή ως DocType: BOM,Allow Alternative Item,Επιτρέψτε το εναλλακτικό στοιχείο apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Η παραλαβή αγοράς δεν διαθέτει στοιχείο για το οποίο είναι ενεργοποιημένο το δείγμα διατήρησης δείγματος. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Συνολικό τιμολόγιο @@ -7936,7 +7938,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Μέγιστο όριο επανάληψης apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Τιμοκατάλογος δεν βρέθηκε ή άτομα με ειδικές ανάγκες DocType: Content Activity,Last Activity ,Τελευταία δραστηριότητα -DocType: Student Applicant,Approved,Εγκρίθηκε DocType: Pricing Rule,Price,Τιμή apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Υπάλληλος ελεύθερος για {0} πρέπει να οριστεί ως έχει φύγει DocType: Guardian,Guardian,Κηδεμόνας @@ -8107,6 +8108,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Ποσοστιαία Αφαίρε DocType: GL Entry,To Rename,Για να μετονομάσετε DocType: Stock Entry,Repack,Επανασυσκευασία apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Επιλέξτε για να προσθέσετε σειριακό αριθμό. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εκπαιδευτών στην Εκπαίδευση> Ρυθμίσεις Εκπαίδευσης apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Ορίστε τον φορολογικό κώδικα για τον πελάτη '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Επιλέξτε πρώτα την εταιρεία DocType: Item Attribute,Numeric Values,Αριθμητικές τιμές @@ -8123,6 +8125,7 @@ DocType: Salary Detail,Additional Amount,Πρόσθετο ποσό apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Το καλάθι είναι άδειο apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Το στοιχείο {0} δεν έχει σειριακό αριθμό. Μόνο εξυπηρετημένα αντικείμενα \ μπορεί να έχουν παράδοση με βάση τον αύξοντα αριθμό +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Αποσβεσμένο ποσό DocType: Vehicle,Model,Μοντέλο DocType: Work Order,Actual Operating Cost,Πραγματικό κόστος λειτουργίας DocType: Payment Entry,Cheque/Reference No,Επιταγή / Αριθμός αναφοράς diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv index 0f78310d43..3093e8ff39 100644 --- a/erpnext/translations/es.csv +++ b/erpnext/translations/es.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Monto de exención de impu DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nueva Tasa de Cambio apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},La divisa/moneda es requerida para lista de precios {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Será calculado en la transacción. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configure el Sistema de nombres de empleados en Recursos humanos> Configuración de recursos humanos DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Contacto del Cliente DocType: Shift Type,Enable Auto Attendance,Habilitar asistencia automática @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Todos Contactos de Proveedores DocType: Support Settings,Support Settings,Configuración de respaldo apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},La cuenta {0} se agrega en la empresa secundaria {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Credenciales no válidas +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Marcar trabajo desde casa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC disponible (ya sea en la parte op completa) DocType: Amazon MWS Settings,Amazon MWS Settings,Configuración de Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Procesando vales @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Artículo Canti apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Detalles de Membresía apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: se requiere un proveedor para la cuenta por pagar {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Productos y Precios -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Territorio apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Horas totales: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},La fecha 'Desde' tiene que pertenecer al rango del año fiscal = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Opcion Seleccionada DocType: SG Creation Tool Course,SG Creation Tool Course,SG Herramienta de Creación de Curso DocType: Bank Statement Transaction Invoice Item,Payment Description,Descripción de Pago -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configure Naming Series para {0} a través de Configuración> Configuración> Naming Series apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,insuficiente Stock DocType: Email Digest,New Sales Orders,Nueva orden de venta (OV) DocType: Bank Account,Bank Account,Cuenta Bancaria @@ -774,6 +772,7 @@ DocType: Request for Quotation,Request for Quotation,Solicitud de Cotización DocType: Healthcare Settings,Require Lab Test Approval,Requerir la aprobación de la Prueba de Laboratorio DocType: Attendance,Working Hours,Horas de Trabajo apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total Excepcional +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Factor de conversión de UOM ({0} -> {1}) no encontrado para el elemento: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Defina el nuevo número de secuencia para esta transacción. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Porcentaje que tiene permitido facturar más contra la cantidad solicitada. Por ejemplo: si el valor del pedido es de $ 100 para un artículo y la tolerancia se establece en 10%, se le permite facturar $ 110." DocType: Dosage Strength,Strength,Fuerza @@ -1262,7 +1261,6 @@ DocType: Timesheet,Total Billed Hours,Total de Horas Facturadas DocType: Pricing Rule Item Group,Pricing Rule Item Group,Grupo de elementos de regla de precios DocType: Travel Itinerary,Travel To,Viajar a apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Maestro de revaluación de tipo de cambio. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configure la serie de numeración para la Asistencia a través de Configuración> Serie de numeración apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Importe de Desajuste DocType: Leave Block List Allow,Allow User,Permitir al usuario DocType: Journal Entry,Bill No,Factura No. @@ -1615,6 +1613,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Incentivos apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Valores fuera de sincronización apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Valor de diferencia +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configure la serie de numeración para la Asistencia a través de Configuración> Serie de numeración DocType: SMS Log,Requested Numbers,Números solicitados DocType: Volunteer,Evening,Noche DocType: Quiz,Quiz Configuration,Configuración de cuestionario @@ -1782,6 +1781,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Desde el DocType: Student Admission,Publish on website,Publicar en el sitio web apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Fecha de Factura de Proveedor no puede ser mayor que la fecha de publicación DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código de artículo> Grupo de artículos> Marca DocType: Subscription,Cancelation Date,Fecha de Cancelación DocType: Purchase Invoice Item,Purchase Order Item,Producto de la orden de compra DocType: Agriculture Task,Agriculture Task,Tarea de Agricultura @@ -2382,7 +2382,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Losas de descuento de product DocType: Target Detail,Target Distribution,Distribución del objetivo DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalización de la Evaluación Provisional apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importando Partes y Direcciones -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Factor de conversión de UOM ({0} -> {1}) no encontrado para el elemento: {2} DocType: Salary Slip,Bank Account No.,Cta. bancaria núm. DocType: Naming Series,This is the number of the last created transaction with this prefix,Este es el número de la última transacción creada con este prefijo DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2774,6 +2773,9 @@ DocType: Company,Default Holiday List,Lista de vacaciones / festividades predete DocType: Pricing Rule,Supplier Group,Grupo de Proveedores apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Resumen apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Fila {0}: Tiempo Desde y Tiempo Hasta de {1} se solapan con {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",Ya existe una lista de materiales con el nombre {0} para el elemento {1}.
¿Cambiaste el nombre del artículo? Póngase en contacto con el administrador / soporte técnico apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Inventarios por pagar DocType: Purchase Invoice,Supplier Warehouse,Almacén del proveedor DocType: Opportunity,Contact Mobile No,No. móvil de contacto @@ -3216,6 +3218,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Mesa de reuniones de calidad apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Visita los foros +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,No se puede completar la tarea {0} ya que su tarea dependiente {1} no se ha completado / cancelado. DocType: Student,Student Mobile Number,Número móvil del Estudiante DocType: Item,Has Variants,Posee variantes DocType: Employee Benefit Claim,Claim Benefit For,Beneficio de reclamo por @@ -3374,7 +3377,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Monto Total Facturable (a tr apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Crear lista de tarifas apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Ingresos de clientes recurrentes DocType: Soil Texture,Silty Clay Loam,Limo de Arcilla Arenosa -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configure el Sistema de nombres de instructores en Educación> Configuración de educación DocType: Quiz,Enter 0 to waive limit,Ingrese 0 para renunciar al límite DocType: Bank Statement Settings,Mapped Items,Artículos Mapeados DocType: Amazon MWS Settings,IT,IT @@ -3408,7 +3410,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",No hay suficientes activos creados o vinculados a {0}. \ Cree o vincule {1} activos con el documento respectivo. DocType: Pricing Rule,Apply Rule On Brand,Aplicar regla a la marca DocType: Task,Actual End Date (via Time Sheet),Fecha de finalización real (a través de hoja de horas) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,No se puede cerrar la tarea {0} ya que su tarea dependiente {1} no está cerrada. DocType: Soil Texture,Soil Type,Tipo de Suelo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Monto {0} {1} {2} contra {3} ,Quotation Trends,Tendencias de Presupuestos @@ -3438,6 +3439,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Vehículo auto-manejado DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Tarjeta de puntuación de proveedores apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Fila {0}: Lista de materiales no se encuentra para el elemento {1} DocType: Contract Fulfilment Checklist,Requirement,Requisito +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configure el Sistema de nombres de empleados en Recursos humanos> Configuración de recursos humanos DocType: Journal Entry,Accounts Receivable,Cuentas por cobrar DocType: Quality Goal,Objectives,Objetivos DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Rol permitido para crear una solicitud de licencia con fecha anterior @@ -3579,6 +3581,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Aplicado apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Detalles de suministros externos y suministros internos sujetos a recargo apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re-Abrir +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,No permitido. Deshabilite la plantilla de prueba de laboratorio DocType: Sales Invoice Item,Qty as per Stock UOM,Cantidad de acuerdo a la unidad de medida (UdM) de stock apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nombre del Tutor2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3637,6 +3640,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tipo de Negocio DocType: Sales Invoice,Consumer,Consumidor apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Por favor seleccione el monto asignado, tipo de factura y número en una fila" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configure Naming Series para {0} a través de Configuración> Configuración> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Costo de Compra de Nueva apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Orden de venta requerida para el producto {0} DocType: Grant Application,Grant Description,Descripción de la Concesión @@ -3662,7 +3666,6 @@ DocType: Payment Request,Transaction Details,Detalles de la Transacción apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"Por favor, haga clic en 'Generar planificación' para obtener las tareas" DocType: Item,"Purchase, Replenishment Details",Detalles de compra y reabastecimiento DocType: Products Settings,Enable Field Filters,Habilitar filtros de campo -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código de artículo> Grupo de artículos> Marca apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","El ""artículo proporcionado por el cliente"" no puede ser un artículo de compra también" DocType: Blanket Order Item,Ordered Quantity,Cantidad ordenada apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",por ejemplo 'Herramientas para los constructores' @@ -4132,7 +4135,7 @@ DocType: BOM,Operating Cost (Company Currency),Costo de funcionamiento (Divisa d DocType: Authorization Rule,Applicable To (Role),Aplicable a (Rol) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Licencias Pendientes DocType: BOM Update Tool,Replace BOM,Sustituir la Lista de Materiales (BOM) -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,El Código {0} ya existe +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,El Código {0} ya existe DocType: Patient Encounter,Procedures,Procedimientos apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Los Pedidos de Venta no están disponibles para producción DocType: Asset Movement,Purpose,Propósito @@ -4228,6 +4231,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Ignorar la Superposició DocType: Warranty Claim,Service Address,Dirección de servicio apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importar datos maestros DocType: Asset Maintenance Task,Calibration,Calibración +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,El elemento de prueba de laboratorio {0} ya existe apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} es un feriado de la compañía apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Horas facturables apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Estado de Notificación de Vacaciones @@ -4590,7 +4594,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,Registro de Salario DocType: Company,Default warehouse for Sales Return,Almacén predeterminado para devolución de ventas DocType: Pick List,Parent Warehouse,Almacén Padre -DocType: Subscription,Net Total,Total Neto +DocType: C-Form Invoice Detail,Net Total,Total Neto apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Establezca la vida útil del artículo en días, para establecer la caducidad en función de la fecha de fabricación más la vida útil." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},La lista de materiales predeterminada no se encontró para el Elemento {0} y el Proyecto {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Fila {0}: establezca el modo de pago en el calendario de pagos @@ -4705,7 +4709,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},El almacén de destino es obligatorio para la línea {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Operaciones Retail DocType: Cheque Print Template,Primary Settings,Ajustes Primarios -DocType: Attendance Request,Work From Home,Trabajar Desde Casa +DocType: Attendance,Work From Home,Trabajar Desde Casa DocType: Purchase Invoice,Select Supplier Address,Seleccionar dirección del proveedor apps/erpnext/erpnext/public/js/event.js,Add Employees,Añadir Empleados DocType: Purchase Invoice Item,Quality Inspection,Inspección de Calidad @@ -4947,8 +4951,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL de Autorización apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Monto {0} {1} {2} {3} DocType: Account,Depreciation,DEPRECIACIONES -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Elimine el empleado {0} \ para cancelar este documento" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,El número de acciones y el número de acciones son inconsistentes apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Proveedor(es) DocType: Employee Attendance Tool,Employee Attendance Tool,Herramienta de asistencia de los empleados @@ -5253,7 +5255,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Criterios de Análisis DocType: Cheque Print Template,Cheque Height,Altura de Cheque DocType: Supplier,Supplier Details,Detalles del proveedor DocType: Setup Progress,Setup Progress,Progreso de la Configuración -DocType: Expense Claim,Approval Status,Estado de Aprobación apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},El valor debe ser menor que el valor de la línea {0} DocType: Program,Intro Video,Video de introducción DocType: Manufacturing Settings,Default Warehouses for Production,Almacenes predeterminados para producción @@ -5594,7 +5595,6 @@ DocType: Purchase Invoice,Rounded Total,Total redondeado apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Los espacios para {0} no se han agregado a la programación DocType: Product Bundle,List items that form the package.,Lista de tareas que forman el paquete . apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},La ubicación de destino es necesaria al transferir el activo {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,No permitido. Desactiva la Plantilla de Prueba DocType: Sales Invoice,Distance (in km),Distancia (en km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,El porcentaje de asignación debe ser igual al 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Por favor, seleccione fecha de publicación antes de seleccionar la Parte" @@ -5724,7 +5724,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Tipo de cambio para la lista de precios apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Todos los Grupos de Proveedores DocType: Employee Boarding Activity,Required for Employee Creation,Requerido para la creación del Empleado -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveedor> Tipo de proveedor apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Número de cuenta {0} ya usado en la cuenta {1} DocType: GoCardless Mandate,Mandate,Mandato DocType: Hotel Room Reservation,Booked,Reservado @@ -5790,7 +5789,6 @@ DocType: Production Plan Item,Product Bundle Item,Artículo del conjunto de prod DocType: Sales Partner,Sales Partner Name,Nombre de socio de ventas apps/erpnext/erpnext/hooks.py,Request for Quotations,Solicitud de Presupuestos DocType: Payment Reconciliation,Maximum Invoice Amount,Importe Máximo de Factura -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () falló por un IBAN vacío DocType: Normal Test Items,Normal Test Items,Elementos de Prueba Normales DocType: QuickBooks Migrator,Company Settings,Configuración de la compañía DocType: Additional Salary,Overwrite Salary Structure Amount,Sobrescribir el monto de la Estructura Salarial @@ -5941,6 +5939,7 @@ DocType: Issue,Resolution By Variance,Resolución por varianza DocType: Leave Allocation,Leave Period,Período de Licencia DocType: Item,Default Material Request Type,El material predeterminado Tipo de solicitud DocType: Supplier Scorecard,Evaluation Period,Periodo de Evaluación +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Territorio apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Desconocido apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Órden de Trabajo no creada apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6299,8 +6298,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Cantidad requerida DocType: Lab Test Template,Lab Test Template,Plantilla de Prueba de Laboratorio apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},El período contable se superpone con {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveedor> Tipo de proveedor apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Cuenta de Ventas DocType: Purchase Invoice Item,Total Weight,Peso Total +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Elimine el empleado {0} \ para cancelar este documento" DocType: Pick List Item,Pick List Item,Seleccionar elemento de lista apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Comisiones sobre ventas DocType: Job Offer Term,Value / Description,Valor / Descripción @@ -6415,6 +6417,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Firmado el DocType: Bank Account,Party Type,Tipo de entidad DocType: Discounted Invoice,Discounted Invoice,Factura con descuento +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Marcar asistencia como DocType: Payment Schedule,Payment Schedule,Calendario de Pago apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},No se encontró ningún empleado para el valor de campo de empleado dado. '{}': {} DocType: Item Attribute Value,Abbreviation,Abreviación @@ -6516,7 +6519,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Motivo de Poner en Espera DocType: Employee,Personal Email,Correo electrónico personal apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Total Variacion DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Si está habilitado, el sistema contabiliza los asientos contables para el inventario de forma automática." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () aceptó un IBAN no válido {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Bolsa de valores apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,La asistencia para el empleado {0} ya está marcada para el día de hoy DocType: Work Order Operation,"in Minutes @@ -6786,6 +6788,7 @@ DocType: Appointment,Customer Details,Datos de Cliente apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Imprimir formularios del IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Verifique si el activo requiere mantenimiento preventivo o calibración apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,La abreviatura de la Empresa no puede tener más de 5 caracteres +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,La empresa matriz debe ser una empresa grupal DocType: Employee,Reports to,Enviar Informes a ,Unpaid Expense Claim,Reclamación de gastos no pagados DocType: Payment Entry,Paid Amount,Cantidad Pagada @@ -6873,6 +6876,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Cant Oportunidad apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Se deben configurar tanto la fecha de inicio del Período de Prueba como la fecha de finalización del Período de Prueba apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Tasa Promedio +DocType: Appointment,Appointment With,Cita con apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,El monto total del pago en el cronograma de pago debe ser igual al total / Total Redondeado apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","El ""artículo proporcionado por el cliente"" no puede tener una tasa de valoración" DocType: Subscription Plan Detail,Plan,Plan @@ -7005,7 +7009,6 @@ DocType: Customer,Customer Primary Contact,Contacto Principal del Cliente apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Inviciativa % DocType: Bank Guarantee,Bank Account Info,Información de la Cuenta Bancaria DocType: Bank Guarantee,Bank Guarantee Type,Tipo de Garantía Bancaria -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () falló para un IBAN válido {} DocType: Payment Schedule,Invoice Portion,Porción de Factura ,Asset Depreciations and Balances,Depreciaciones de Activos y Saldos apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Monto {0} {1} transferido desde {2} a {3} @@ -7670,7 +7673,6 @@ DocType: Dosage Form,Dosage Form,Forma de dosificación apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Configure la programación de la campaña en la campaña {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Configuracion de las listas de precios DocType: Task,Review Date,Fecha de Revisión -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Marcar asistencia como DocType: BOM,Allow Alternative Item,Permitir Elemento Alternativo apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,El recibo de compra no tiene ningún artículo para el que esté habilitada la opción Conservar muestra. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Factura Gran Total @@ -7898,7 +7900,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Límite máximo de reintento apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,La lista de precios no existe o está deshabilitada. DocType: Content Activity,Last Activity ,Última actividad -DocType: Student Applicant,Approved,Aprobado DocType: Pricing Rule,Price,Precio apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Empleado relevado en {0} debe definirse como ""izquierda""" DocType: Guardian,Guardian,Tutor @@ -8069,6 +8070,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Deducción Porcentual DocType: GL Entry,To Rename,Renombrar DocType: Stock Entry,Repack,Re-empacar apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Seleccione para agregar número de serie. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configure el Sistema de nombres de instructores en Educación> Configuración de educación apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Configure el Código fiscal para el cliente '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Seleccione primero la Empresa DocType: Item Attribute,Numeric Values,Valores Numéricos @@ -8085,6 +8087,7 @@ DocType: Salary Detail,Additional Amount,Monto adicional apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,El carrito esta vacío. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",El artículo {0} no tiene número de serie. Solo artículos seriados pueden tener entregas basadas en el número de serie. +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Monto Depreciado DocType: Vehicle,Model,Modelo DocType: Work Order,Actual Operating Cost,Costo de operación real DocType: Payment Entry,Cheque/Reference No,Cheque / No. de Referencia diff --git a/erpnext/translations/et.csv b/erpnext/translations/et.csv index 9c58c772ea..f743200e02 100644 --- a/erpnext/translations/et.csv +++ b/erpnext/translations/et.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Standardne maksuvabastuse DocType: Exchange Rate Revaluation Account,New Exchange Rate,Uus vahetuskurss apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Valuuta on vajalik Hinnakiri {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Kas arvestatakse tehingu. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Palun seadistage töötajate nimetamise süsteem personaliressursist> HR-sätted DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Klienditeenindus Kontakt DocType: Shift Type,Enable Auto Attendance,Luba automaatne osalemine @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Kõik Tarnija Kontakt DocType: Support Settings,Support Settings,Toetus seaded apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Konto {0} lisatakse lapseettevõttesse {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Kehtetud mandaadid +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Mark kodust tööd apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC saadaval (kas täielikult op) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS seaded apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Voucherite töötlemine @@ -405,7 +405,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Väärtuses sis apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Liikmelisuse andmed apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Tarnija on kohustatud vastu tasulised konto {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Artiklid ja hinnad -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> kliendirühm> territoorium apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Kursuse maht: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Siit kuupäev peaks jääma eelarveaastal. Eeldades From Date = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -452,7 +451,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Valitud variant DocType: SG Creation Tool Course,SG Creation Tool Course,SG Loomistööriist kursus DocType: Bank Statement Transaction Invoice Item,Payment Description,Makse kirjeldus -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Valige Seadistamise seeria väärtuseks {0} menüüst Seadistamine> Seadistused> Seeriate nimetamine apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Ebapiisav Stock DocType: Email Digest,New Sales Orders,Uus müügitellimuste DocType: Bank Account,Bank Account,Pangakonto @@ -770,6 +768,7 @@ DocType: Request for Quotation,Request for Quotation,Hinnapäring DocType: Healthcare Settings,Require Lab Test Approval,Nõuda laborikatse heakskiitmist DocType: Attendance,Working Hours,Töötunnid apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Kokku tasumata +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM teisendustegurit ({0} -> {1}) üksusele {2} ei leitud DocType: Naming Series,Change the starting / current sequence number of an existing series.,Muuda algus / praegune järjenumber olemasoleva seeria. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Protsent, millal teil on lubatud tellitud summa eest rohkem arveid arvestada. Näiteks: kui toote tellimuse väärtus on 100 dollarit ja lubatud hälbeks on seatud 10%, siis on teil lubatud arveldada 110 dollarit." DocType: Dosage Strength,Strength,Tugevus @@ -1255,7 +1254,6 @@ DocType: Timesheet,Total Billed Hours,Kokku Maksustatakse Tundi DocType: Pricing Rule Item Group,Pricing Rule Item Group,Hinnakujundusreeglite üksuse rühm DocType: Travel Itinerary,Travel To,Reisida apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Vahetuskursi ümberhindluse meister. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Palun seadistage kohaloleku jaoks numeratsiooniseeria seadistamise> Numeratsiooniseeria kaudu apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Kirjutage Off summa DocType: Leave Block List Allow,Allow User,Laske Kasutaja DocType: Journal Entry,Bill No,Bill pole @@ -1608,6 +1606,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Soodustused apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Väärtused pole sünkroonis apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Erinevuse väärtus +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Palun seadistage kohaloleku jaoks numeratsiooniseeria seadistamise> Numeratsiooniseeria kaudu DocType: SMS Log,Requested Numbers,Taotletud numbrid DocType: Volunteer,Evening,Õhtul DocType: Quiz,Quiz Configuration,Viktoriini seadistamine @@ -1775,6 +1774,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Kohalt DocType: Student Admission,Publish on website,Avaldab kodulehel apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Tarnija Arve kuupäev ei saa olla suurem kui Postitamise kuupäev DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-. YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kauba kood> esemerühm> kaubamärk DocType: Subscription,Cancelation Date,Tühistamise kuupäev DocType: Purchase Invoice Item,Purchase Order Item,Ostu Telli toode DocType: Agriculture Task,Agriculture Task,Põllumajandusülesanne @@ -2375,7 +2375,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Toote allahindlusplaadid DocType: Target Detail,Target Distribution,Target Distribution DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 - ajutise hindamise lõpuleviimine apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importivad pooled ja aadressid -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM teisendustegurit ({0} -> {1}) üksusele {2} ei leitud DocType: Salary Slip,Bank Account No.,Bank Account No. DocType: Naming Series,This is the number of the last created transaction with this prefix,See on mitmeid viimase loodud tehingu seda prefiksit DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2767,6 +2766,9 @@ DocType: Company,Default Holiday List,Vaikimisi Holiday nimekiri DocType: Pricing Rule,Supplier Group,Tarnija rühm apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Rida {0}: From ajal ja aeg {1} kattub {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",Üksuse {1} jaoks on BOM nimega {0} juba olemas.
Kas muutisite toote ümber? Võtke ühendust administraatori / tehnilise toega apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Stock Kohustused DocType: Purchase Invoice,Supplier Warehouse,Tarnija Warehouse DocType: Opportunity,Contact Mobile No,Võta Mobiilne pole @@ -3207,6 +3209,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Kvaliteedikohtumiste tabel apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Külasta foorumeid +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Ülesannet {0} ei saa täita, kuna selle sõltuv ülesanne {1} pole lõpule viidud / tühistatud." DocType: Student,Student Mobile Number,Student Mobile arv DocType: Item,Has Variants,Omab variandid DocType: Employee Benefit Claim,Claim Benefit For,Nõude hüvitis @@ -3365,7 +3368,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Arve summa (via Time Sheet) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Koostage tasude ajakava apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Korrake Kliendi tulu DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Seadistage juhendaja nimetamise süsteem jaotises Haridus> Hariduse sätted DocType: Quiz,Enter 0 to waive limit,Limiidist loobumiseks sisestage 0 DocType: Bank Statement Settings,Mapped Items,Kaarditud esemed DocType: Amazon MWS Settings,IT,IT @@ -3399,7 +3401,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",{0} -ga pole loodud või lingitud piisavalt vara. \ Palun looge või linkige {1} varad vastava dokumendiga. DocType: Pricing Rule,Apply Rule On Brand,Rakenda reeglit brändi kohta DocType: Task,Actual End Date (via Time Sheet),Tegelik End Date (via Time Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Ülesannet {0} ei saa sulgeda, kuna selle sõltuv ülesanne {1} pole suletud." DocType: Soil Texture,Soil Type,Mullatüüp apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Summa {0} {1} vastu {2} {3} ,Quotation Trends,Tsitaat Trends @@ -3429,6 +3430,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Isesõitva Sõiduki DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Tarnija tulemuskaardi alaline apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Materjaliandmik ei leitud Eseme {1} DocType: Contract Fulfilment Checklist,Requirement,Nõue +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Palun seadistage töötajate nimetamise süsteem personaliressursist> HR-sätted DocType: Journal Entry,Accounts Receivable,Arved DocType: Quality Goal,Objectives,Eesmärgid DocType: HR Settings,Role Allowed to Create Backdated Leave Application,"Roll, millel on lubatud luua ajakohastatud puhkuserakendus" @@ -3570,6 +3572,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,rakendatud apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Andmed välistarvikute ja pöördmaksustamisele kuuluvate siseturgude kohta apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re avatud +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Pole lubatud. Keelake laboritesti mall DocType: Sales Invoice Item,Qty as per Stock UOM,Kogus ühe Stock UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Nimi apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Juuraettevõte @@ -3628,6 +3631,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Äri tüüp DocType: Sales Invoice,Consumer,Tarbija apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Palun valige eraldatud summa, arve liik ja arve number atleast üks rida" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Valige Seadistamise seeria väärtuseks {0}, mis asub seadistuse> Seadistused> Seeriate nimetamine" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kulud New Ost apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Sales Order vaja Punkt {0} DocType: Grant Application,Grant Description,Toetuse kirjeldus @@ -3653,7 +3657,6 @@ DocType: Payment Request,Transaction Details,Tehingu üksikasjad apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,Palun kliki "Loo Ajakava" saada ajakava DocType: Item,"Purchase, Replenishment Details","Ostu, täiendamise üksikasjad" DocType: Products Settings,Enable Field Filters,Luba väljafiltrid -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kauba kood> esemerühm> kaubamärk apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","Kliendiga varustatav toode" ei saa olla ka ostuartikkel DocType: Blanket Order Item,Ordered Quantity,Tellitud Kogus apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",nt "Ehita vahendid ehitajad" @@ -4122,7 +4125,7 @@ DocType: BOM,Operating Cost (Company Currency),Ekspluatatsioonikulud (firma Valu DocType: Authorization Rule,Applicable To (Role),Suhtes kohaldatava (Role) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Ootel lehed DocType: BOM Update Tool,Replace BOM,Asenda BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kood {0} on juba olemas +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kood {0} on juba olemas DocType: Patient Encounter,Procedures,Protseduurid apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Müügitellimused ei ole tootmiseks saadaval DocType: Asset Movement,Purpose,Eesmärk @@ -4218,6 +4221,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Ignoreeri töötajate ke DocType: Warranty Claim,Service Address,Teenindus Aadress apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Põhiandmete importimine DocType: Asset Maintenance Task,Calibration,Kalibreerimine +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Labi testielement {0} on juba olemas apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} on ettevõtte puhkus apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Arveldatavad tunnid apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Jäta olekutest teavitamine @@ -4566,7 +4570,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,palk Registreeri DocType: Company,Default warehouse for Sales Return,Vaikeladu müügi tagastamiseks DocType: Pick List,Parent Warehouse,Parent Warehouse -DocType: Subscription,Net Total,Net kokku +DocType: C-Form Invoice Detail,Net Total,Net kokku apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Seadke toote kõlblikkusaeg päevades, et kehtestada aegumiskuupäev valmistamiskuupäeva ja säilivusaja alusel." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Vaikimisi Bom ei leitud Oksjoni {0} ja Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rida {0}: määrake maksegraafikus makseviis @@ -4681,7 +4685,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target lattu on kohustuslik rida {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Jaemüük DocType: Cheque Print Template,Primary Settings,esmane seaded -DocType: Attendance Request,Work From Home,Kodus töötama +DocType: Attendance,Work From Home,Kodus töötama DocType: Purchase Invoice,Select Supplier Address,Vali Tarnija Aadress apps/erpnext/erpnext/public/js/event.js,Add Employees,Lisa Töötajad DocType: Purchase Invoice Item,Quality Inspection,Kvaliteedi kontroll @@ -4922,8 +4926,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,Luba URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Summa {0} {1} {2} {3} DocType: Account,Depreciation,Amortisatsioon -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Selle dokumendi tühistamiseks kustutage töötaja {0} \" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Aktsiate arv ja aktsiate arv on ebajärjekindlad apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Pakkuja (s) DocType: Employee Attendance Tool,Employee Attendance Tool,Töötaja osalemise Tool @@ -5228,7 +5230,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Plantanalüüsi kriteer DocType: Cheque Print Template,Cheque Height,Tšekk Kõrgus DocType: Supplier,Supplier Details,Tarnija Üksikasjad DocType: Setup Progress,Setup Progress,Seadistamine Progress -DocType: Expense Claim,Approval Status,Kinnitamine Staatus apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Siit peab olema väiksem kui väärtus järjest {0} DocType: Program,Intro Video,Sissejuhatav video DocType: Manufacturing Settings,Default Warehouses for Production,Tootmise vaikelaod @@ -5567,7 +5568,6 @@ DocType: Purchase Invoice,Rounded Total,Ümardatud kokku apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots for {0} ei ole graafikule lisatud DocType: Product Bundle,List items that form the package.,"Nimekiri objekte, mis moodustavad paketi." apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Vara {0} ülekandmisel on vaja sihtpunkti -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Ei ole lubatud. Testige malli välja DocType: Sales Invoice,Distance (in km),Kaugus (km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Protsentuaalne jaotus peaks olema suurem kui 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Palun valige Postitamise kuupäev enne valides Party @@ -5696,7 +5696,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Hinnakiri Vahetuskurss apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Kõik tarnijagrupid DocType: Employee Boarding Activity,Required for Employee Creation,Nõutav töötaja loomine -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tarnija> Tarnija tüüp apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},"Konto number {0}, mida juba kasutati kontol {1}" DocType: GoCardless Mandate,Mandate,Volitus DocType: Hotel Room Reservation,Booked,Broneeritud @@ -5761,7 +5760,6 @@ DocType: Production Plan Item,Product Bundle Item,Toote Bundle toode DocType: Sales Partner,Sales Partner Name,Müük Partner nimi apps/erpnext/erpnext/hooks.py,Request for Quotations,Taotlus tsitaadid DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimaalne Arve summa -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () nurjus tühja IBANi korral DocType: Normal Test Items,Normal Test Items,Tavalised testüksused DocType: QuickBooks Migrator,Company Settings,Ettevõtte seaded DocType: Additional Salary,Overwrite Salary Structure Amount,Palga struktuuri summa ülekirjutamine @@ -5912,6 +5910,7 @@ DocType: Issue,Resolution By Variance,Resolutsioon variatsiooni järgi DocType: Leave Allocation,Leave Period,Jäta perioodi DocType: Item,Default Material Request Type,Vaikimisi Materjal Soovi Tüüp DocType: Supplier Scorecard,Evaluation Period,Hindamise periood +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> kliendirühm> territoorium apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,tundmatu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Töökorraldus pole loodud apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6269,8 +6268,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Vajalik kogus DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Arvestusperiood kattub {0} -ga +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tarnija> Tarnija tüüp apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Müügikonto DocType: Purchase Invoice Item,Total Weight,Kogukaal +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Selle dokumendi tühistamiseks kustutage töötaja {0} \" DocType: Pick List Item,Pick List Item,Vali nimekirja üksus apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Müügiprovisjon DocType: Job Offer Term,Value / Description,Väärtus / Kirjeldus @@ -6385,6 +6387,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Sisse logitud DocType: Bank Account,Party Type,Partei Type DocType: Discounted Invoice,Discounted Invoice,Soodushinnaga arve +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Märgi kohalolijaks kui DocType: Payment Schedule,Payment Schedule,Maksegraafik apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Antud töötaja välja väärtuse jaoks töötajat ei leitud. '{}': {} DocType: Item Attribute Value,Abbreviation,Lühend @@ -6486,7 +6489,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Paigaldamise põhjus DocType: Employee,Personal Email,Personal Email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Kokku Dispersioon DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Kui on lubatud, siis süsteem postitada raamatupidamiskirjeteks inventuuri automaatselt." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () aktsepteeris kehtetut IBANi {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Maakleritasu apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Osalemine töötajate {0} on juba märgistatud sellel päeval DocType: Work Order Operation,"in Minutes @@ -6756,6 +6758,7 @@ DocType: Appointment,Customer Details,Kliendi andmed apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Printige IRS 1099 vorme DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Kontrollige, kas vara vajab ennetavat hooldust või kalibreerimist" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Ettevõtte lühend ei tohi olla üle 5 tähemärki +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Emaettevõte peab olema kontserni ettevõte DocType: Employee,Reports to,Ettekanded ,Unpaid Expense Claim,Palgata kuluhüvitussüsteeme DocType: Payment Entry,Paid Amount,Paide summa @@ -6843,6 +6846,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Krahv apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Tuleb määrata nii katseperioodi alguskuupäev kui ka katseperioodi lõppkuupäev apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Keskmine määr +DocType: Appointment,Appointment With,Ametisse nimetamine apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Maksete kogusumma maksegraafikus peab olema võrdne Suur / Ümardatud Kokku apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",Hindamismäära ei saa olla valikul „Kliendi pakutav üksus” DocType: Subscription Plan Detail,Plan,Plaan @@ -6975,7 +6979,6 @@ DocType: Customer,Customer Primary Contact,Kliendi esmane kontakt apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Plii% DocType: Bank Guarantee,Bank Account Info,Pangakonto andmed DocType: Bank Guarantee,Bank Guarantee Type,Pangagarantii tüüp -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () ei saanud kehtivat IBANi {} DocType: Payment Schedule,Invoice Portion,Arve osa ,Asset Depreciations and Balances,Asset Amortisatsiooniaruanne ja Kaalud apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Summa {0} {1} ülekantud {2} kuni {3} @@ -7638,7 +7641,6 @@ DocType: Dosage Form,Dosage Form,Annustamisvorm apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Seadistage kampaania ajakava kampaanias {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Hinnakiri kapten. DocType: Task,Review Date,Review Date -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Märgi kohalolijaks kui DocType: BOM,Allow Alternative Item,Luba alternatiivne üksus apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Ostukviitungil pole ühtegi eset, mille jaoks on proovide säilitamine lubatud." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Arve suur kokku @@ -7866,7 +7868,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Hinnakiri ei leitud või puudega DocType: Content Activity,Last Activity ,Viimane tegevus -DocType: Student Applicant,Approved,Kinnitatud DocType: Pricing Rule,Price,Hind apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Töötaja vabastati kohta {0} tuleb valida 'Vasak' DocType: Guardian,Guardian,hooldaja @@ -8037,6 +8038,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Väljamakse protsentides DocType: GL Entry,To Rename,Ümbernimetamiseks DocType: Stock Entry,Repack,Pakkige apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Valige seerianumbri lisamiseks. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Seadistage juhendaja nimetamise süsteem jaotises Haridus> Hariduse sätted apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Palun määrake kliendi jaoks% f maksukood apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Palun vali kõigepealt firma DocType: Item Attribute,Numeric Values,Arvväärtuste @@ -8053,6 +8055,7 @@ DocType: Salary Detail,Additional Amount,Lisasumma apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Ostukorv on tühi apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No","Poolel {0} ei ole seerianumbrit. Ainult serilialised esemed \ võivad olla tarned, mis põhinevad seerianumbril" +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Amortiseerunud summa DocType: Vehicle,Model,mudel DocType: Work Order,Actual Operating Cost,Tegelik töökulud DocType: Payment Entry,Cheque/Reference No,Tšekk / Viitenumber diff --git a/erpnext/translations/fa.csv b/erpnext/translations/fa.csv index 304d354a60..cb498c3e2e 100644 --- a/erpnext/translations/fa.csv +++ b/erpnext/translations/fa.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,مبلغ معافیت ما DocType: Exchange Rate Revaluation Account,New Exchange Rate,نرخ ارز جدید apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},برای اطلاع از قیمت ارز مورد نیاز است {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* * * * آیا می شود در معامله محاسبه می شود. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,لطفاً سیستم نامگذاری کارمندان را در منابع انسانی> تنظیمات HR تنظیم کنید DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT- .YYYY.- DocType: Purchase Order,Customer Contact,مشتریان تماس با DocType: Shift Type,Enable Auto Attendance,حضور و غیاب خودکار را فعال کنید @@ -95,6 +94,7 @@ DocType: Item Price,Multiple Item prices.,قیمت مورد چندگانه. DocType: SMS Center,All Supplier Contact,همه با منبع تماس با DocType: Support Settings,Support Settings,تنظیمات پشتیبانی apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,گواهی نامه نامعتبر +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,علامت گذاری کار از خانه apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC موجود (چه در بخش کامل عمل) DocType: Amazon MWS Settings,Amazon MWS Settings,آمازون MWS تنظیمات apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,پردازش کوپن @@ -403,7 +403,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,مقدار ما apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,جزئیات عضویت apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: عرضه کننده به حساب پرداختنی مورد نیاز است {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,اقلام و قیمت گذاری -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,مشتری> گروه مشتری> سرزمین apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},کل ساعت: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},از تاریخ باید در سال مالی باشد. با فرض از تاریخ = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR- .YYYY.- @@ -1238,7 +1237,6 @@ DocType: Timesheet,Total Billed Hours,جمع ساعت در صورتحساب یا DocType: Pricing Rule Item Group,Pricing Rule Item Group,گروه بندی قواعد قیمت گذاری DocType: Travel Itinerary,Travel To,سفر به apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,استاد ارزشیابی نرخ ارز. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,لطفاً سریال های شماره گذاری را برای حضور از طریق تنظیم> سری شماره گذاری تنظیم کنید apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,ارسال فعال مقدار DocType: Leave Block List Allow,Allow User,اجازه می دهد کاربر DocType: Journal Entry,Bill No,شماره صورتحساب @@ -1588,6 +1586,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,انگیزه apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ارزشهای خارج از همگام سازی apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,مقدار اختلاف +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,لطفاً سریال های شماره گذاری را برای حضور از طریق تنظیم> سری شماره گذاری تنظیم کنید DocType: SMS Log,Requested Numbers,شماره درخواست شده DocType: Volunteer,Evening,شب DocType: Quiz,Quiz Configuration,پیکربندی مسابقه @@ -1755,6 +1754,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,از مح DocType: Student Admission,Publish on website,انتشار در وب سایت apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,تاریخ عرضه فاکتور نمی تواند بیشتر از ارسال تاریخ DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS- .YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,کد کالا> گروه مورد> نام تجاری DocType: Subscription,Cancelation Date,تاریخ لغو DocType: Purchase Invoice Item,Purchase Order Item,خرید سفارش مورد DocType: Agriculture Task,Agriculture Task,وظیفه کشاورزی @@ -3317,7 +3317,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),مبلغ کل حسابدار apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,برنامه هزینه ایجاد کنید apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,تکرار درآمد و ضوابط DocType: Soil Texture,Silty Clay Loam,خاک رس خالص -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,لطفاً سیستم نامگذاری مربی را در آموزش و پرورش> تنظیمات آموزش تنظیم کنید DocType: Quiz,Enter 0 to waive limit,0 را وارد کنید تا از حد مجاز چشم پوشی کنید DocType: Bank Statement Settings,Mapped Items,موارد ممتاز DocType: Amazon MWS Settings,IT,آی تی @@ -3376,6 +3375,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,خودرو بدون رانند DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,کارت امتیازی کارت اعتباری apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},ردیف {0}: بیل از مواد برای موردی یافت نشد {1} DocType: Contract Fulfilment Checklist,Requirement,مورد نیاز +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,لطفاً سیستم نامگذاری کارمندان را در منابع انسانی> تنظیمات HR تنظیم کنید DocType: Journal Entry,Accounts Receivable,حسابهای دریافتنی DocType: Quality Goal,Objectives,اهداف DocType: HR Settings,Role Allowed to Create Backdated Leave Application,نقش مجاز به ایجاد برنامه مرخصی با سابقه بازگشت @@ -3514,6 +3514,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,کاربردی apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,جزئیات مربوط به تجهیزات خارجی و لوازم داخلی جهت شارژ معکوس apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,باز کردن مجدد +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,غیر مجاز. لطفاً الگوی آزمایشگاه را غیرفعال کنید DocType: Sales Invoice Item,Qty as per Stock UOM,تعداد در هر بورس UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,نام Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,شرکت ریشه @@ -3597,7 +3598,6 @@ DocType: Payment Request,Transaction Details,جزئیات تراکنش apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,لطفا بر روی 'ایجاد برنامه' کلیک کنید برای دریافت برنامه DocType: Item,"Purchase, Replenishment Details",خرید ، جزئیات دوباره پر کردن DocType: Products Settings,Enable Field Filters,فیلترهای فیلد را فعال کنید -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,کد کالا> گروه مورد> نام تجاری apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","""آیتم مورد اشاره مشتری"" نمیتواند خریداری شود" DocType: Blanket Order Item,Ordered Quantity,تعداد دستور داد @@ -4057,7 +4057,7 @@ DocType: BOM,Operating Cost (Company Currency),هزینه های عملیاتی DocType: Authorization Rule,Applicable To (Role),به قابل اجرا (نقش) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,در انتظار برگها DocType: BOM Update Tool,Replace BOM,جایگزین BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,کد {0} در حال حاضر وجود دارد +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,کد {0} در حال حاضر وجود دارد DocType: Patient Encounter,Procedures,روش ها apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,سفارشات فروش برای تولید در دسترس نیست DocType: Asset Movement,Purpose,هدف @@ -4150,6 +4150,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,نادیده گرفتن DocType: Warranty Claim,Service Address,خدمات آدرس apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,وارد کردن داده های اصلی DocType: Asset Maintenance Task,Calibration,کالیبراسیون +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,آزمایش آزمایش مورد {0} در حال حاضر وجود دارد apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} تعطیلات شرکت است apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ساعت قابل پرداخت apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,اخطار وضعیت را ترک کنید @@ -4492,7 +4493,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,حقوق و دستمزد ثبت نام DocType: Company,Default warehouse for Sales Return,انبار پیش فرض برای بازده فروش DocType: Pick List,Parent Warehouse,انبار پدر و مادر -DocType: Subscription,Net Total,مجموع خالص +DocType: C-Form Invoice Detail,Net Total,مجموع خالص apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",طول عمر آن را در روزها تنظیم کنید تا تاریخ انقضا را براساس تاریخ تولید به اضافه ماندگاری تنظیم کنید. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},به طور پیش فرض BOM برای موردی یافت نشد {0} و پروژه {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,ردیف {0}: لطفاً نحوه پرداخت را در جدول پرداخت تنظیم کنید @@ -4604,7 +4605,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},انبار هدف برای ردیف الزامی است {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,عملیات خرده فروشی DocType: Cheque Print Template,Primary Settings,تنظیمات اولیه -DocType: Attendance Request,Work From Home,کار از خانه +DocType: Attendance,Work From Home,کار از خانه DocType: Purchase Invoice,Select Supplier Address,کنید] را انتخاب کنید apps/erpnext/erpnext/public/js/event.js,Add Employees,اضافه کردن کارمندان DocType: Purchase Invoice Item,Quality Inspection,بازرسی کیفیت @@ -4838,8 +4839,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL مجوز apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},مقدار {0} {1} {2} {3} DocType: Account,Depreciation,استهلاک -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","لطفاً برای لغو این سند ، {0} \ کارمند را حذف کنید" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,تعداد سهام و شماره سهم ناسازگار است apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),تامین کننده (بازدید کنندگان) DocType: Employee Attendance Tool,Employee Attendance Tool,کارمند ابزار حضور و غیاب @@ -5141,7 +5140,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,معیارهای تجز DocType: Cheque Print Template,Cheque Height,قد چک DocType: Supplier,Supplier Details,اطلاعات بیشتر تامین کننده DocType: Setup Progress,Setup Progress,پیشرفت راه اندازی -DocType: Expense Claim,Approval Status,وضعیت تایید apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},از مقدار باید کمتر از ارزش در ردیف شود {0} DocType: Program,Intro Video,معرفی ویدئو DocType: Manufacturing Settings,Default Warehouses for Production,انبارهای پیش فرض برای تولید @@ -5471,7 +5469,6 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,فروختن DocType: Purchase Invoice,Rounded Total,گرد مجموع apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,اسلات برای {0} به برنامه اضافه نمی شود DocType: Product Bundle,List items that form the package.,اقلام لیست که به صورت بسته بندی شده. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,غیر مجاز. لطفا قالب تست را غیر فعال کنید DocType: Sales Invoice,Distance (in km),فاصله (در کیلومتر) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,درصد تخصیص باید به 100٪ برابر باشد apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,لطفا ارسال تاریخ قبل از انتخاب حزب را انتخاب کنید @@ -5600,7 +5597,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,لیست قیمت نرخ ارز apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,همه گروه های عرضه کننده DocType: Employee Boarding Activity,Required for Employee Creation,مورد نیاز برای ایجاد کارمند -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کننده> نوع عرضه کننده apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},شماره حساب {0} که قبلا در حساب استفاده شده {1} DocType: GoCardless Mandate,Mandate,مجوز DocType: Hotel Room Reservation,Booked,رزرو @@ -5664,7 +5660,6 @@ DocType: Production Plan Item,Product Bundle Item,محصولات بسته نرم DocType: Sales Partner,Sales Partner Name,نام شریک فروش apps/erpnext/erpnext/hooks.py,Request for Quotations,درخواست نرخ DocType: Payment Reconciliation,Maximum Invoice Amount,حداکثر مبلغ فاکتور -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () برای IBAN خالی انجام نشد DocType: Normal Test Items,Normal Test Items,آیتم های معمول عادی DocType: QuickBooks Migrator,Company Settings,تنظیمات شرکت DocType: Additional Salary,Overwrite Salary Structure Amount,بازپرداخت مقدار حقوق و دستمزد @@ -5814,6 +5809,7 @@ DocType: Issue,Resolution By Variance,قطعنامه توسط Variance DocType: Leave Allocation,Leave Period,ترک دوره DocType: Item,Default Material Request Type,به طور پیش فرض نوع درخواست پاسخ به DocType: Supplier Scorecard,Evaluation Period,دوره ارزیابی +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,مشتری> گروه مشتری> سرزمین apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,ناشناخته apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,سفارش کار ایجاد نشده است apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6166,8 +6162,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,سریا DocType: Material Request Plan Item,Required Quantity,مقدار مورد نیاز DocType: Lab Test Template,Lab Test Template,آزمایش آزمایشی apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},دوره حسابداری با {0} همپوشانی دارد +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کننده> نوع عرضه کننده apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,حساب فروش DocType: Purchase Invoice Item,Total Weight,وزن مجموع +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","لطفاً برای لغو این سند ، {0} \ کارمند را حذف کنید" DocType: Pick List Item,Pick List Item,مورد را انتخاب کنید apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,کمیسیون فروش DocType: Job Offer Term,Value / Description,ارزش / توضیحات @@ -6280,6 +6279,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,امضا شده DocType: Bank Account,Party Type,نوع حزب DocType: Discounted Invoice,Discounted Invoice,تخفیف فاکتور +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,حضور علامت گذاری به عنوان DocType: Payment Schedule,Payment Schedule,برنامه زمانی پرداخت apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},هیچ کارمندی برای ارزش زمینه کارمند داده شده یافت نشد. '{}': {} DocType: Item Attribute Value,Abbreviation,مخفف @@ -6380,7 +6380,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,دلیل برای قرار DocType: Employee,Personal Email,ایمیل شخصی apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,واریانس ها DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",اگر فعال باشد، سیستم مطالب حسابداری برای موجودی ارسال به صورت خودکار. -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () IBAN نامعتبر را پذیرفت apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,حق العمل apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,حضور و غیاب برای کارکنان {0} در حال حاضر برای این روز را گرامی می DocType: Work Order Operation,"in Minutes @@ -6645,6 +6644,7 @@ DocType: Appointment,Customer Details,اطلاعات مشتری apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,فرم های IRS 1099 را چاپ کنید DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,بررسی کنید که آیا دارایی نیاز به نگهداری پیشگیرانه یا کالیبراسیون دارد apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,اختصار شرکت نمی تواند بیش از 5 کاراکتر داشته باشد +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,شرکت مادر باید یک شرکت گروه باشد DocType: Employee,Reports to,گزارش به ,Unpaid Expense Claim,ادعای هزینه های پرداخت نشده DocType: Payment Entry,Paid Amount,مبلغ پرداخت @@ -6730,6 +6730,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,تعداد روبروی apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,هر دو تاریخچه تاریخچه دادگاه و تاریخ پایان تاریخ پرونده باید تعیین شود apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,میانگین امتیازات +DocType: Appointment,Appointment With,ملاقات با apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,مجموع مبلغ پرداختی در برنامه پرداخت باید برابر با مقدار Grand / Rounded باشد apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""ایتم مورد نظر مشتری"" اعتبار کافی ندارد" @@ -6859,7 +6860,6 @@ DocType: Customer,Customer Primary Contact,تماس اولیه مشتری apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,OPP /٪ سرب DocType: Bank Guarantee,Bank Account Info,اطلاعات حساب بانکی DocType: Bank Guarantee,Bank Guarantee Type,نوع تضمین بانکی -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () برای IBAN معتبر شکست خورد { DocType: Payment Schedule,Invoice Portion,بخش فاکتور ,Asset Depreciations and Balances,Depreciations دارایی و تعادل apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},مقدار {0} {1} منتقل شده از {2} به {3} @@ -7507,7 +7507,6 @@ DocType: Dosage Form,Dosage Form,فرم مصرف apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},لطفاً برنامه کمپین را در کمپین تنظیم کنید {0} apps/erpnext/erpnext/config/buying.py,Price List master.,لیست قیمت کارشناسی ارشد. DocType: Task,Review Date,بررسی تاریخ -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,حضور علامت گذاری به عنوان DocType: BOM,Allow Alternative Item,به جای جایگزین apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,رسید خرید هیچ موردی را ندارد که نمونه حفظ آن فعال باشد. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,تعداد کل فاکتور @@ -7730,7 +7729,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,حداکثر مجازات مجدد apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,لیست قیمت یافت نشد یا از کار افتاده DocType: Content Activity,Last Activity ,آخرین فعالیت -DocType: Student Applicant,Approved,تایید DocType: Pricing Rule,Price,قیمت apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',کارمند رها در {0} باید تنظیم شود به عنوان چپ DocType: Guardian,Guardian,نگهبان @@ -7900,6 +7898,7 @@ DocType: Taxable Salary Slab,Percent Deduction,کاهش درصد DocType: GL Entry,To Rename,تغییر نام دهید DocType: Stock Entry,Repack,REPACK apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,را انتخاب کنید تا شماره سریال را اضافه کنید. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,لطفاً سیستم نامگذاری مربی را در آموزش و پرورش> تنظیمات آموزش تنظیم کنید apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',لطفا کد مالی را برای '٪ s' مشتری تنظیم کنید apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,لطفا اول شرکت را انتخاب کنید DocType: Item Attribute,Numeric Values,مقادیر عددی @@ -7916,6 +7915,7 @@ DocType: Salary Detail,Additional Amount,مقدار اضافی apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,سبد خرید خالی است apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Item {0} شماره سریال ندارد فقط موارد سریالی \ می تواند تحویل براساس شماره سریال داشته باشد +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,مبلغ استهلاک شده DocType: Vehicle,Model,مدل DocType: Work Order,Actual Operating Cost,هزینه های عملیاتی واقعی DocType: Payment Entry,Cheque/Reference No,چک / مرجع diff --git a/erpnext/translations/fi.csv b/erpnext/translations/fi.csv index 6c9f76e825..15b68536b5 100644 --- a/erpnext/translations/fi.csv +++ b/erpnext/translations/fi.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Vakioverovapausmäärä DocType: Exchange Rate Revaluation Account,New Exchange Rate,Uusi kurssi apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},valuuttahinnasto vaaditaan {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* lasketaan tapahtumassa -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Asenna Työntekijöiden nimeämisjärjestelmä kohtaan Henkilöstöresurssit> HR-asetukset DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Asiakaspalvelu Yhteystiedot DocType: Shift Type,Enable Auto Attendance,Ota automaattinen läsnäolo käyttöön @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,kaikki toimittajan yhteystiedot DocType: Support Settings,Support Settings,Tukiasetukset apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Tili {0} lisätään lapsiyritykseen {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Virheelliset käyttöoikeustiedot +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Merkitse työ kotoa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC käytettävissä (onko täysin op-osa) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS -asetukset apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Käsittelykuponkeja @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Tuotteen verom apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Jäsenyystiedot apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Toimittaja tarvitaan vastaan maksullisia huomioon {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Nimikkeet ja hinnoittelu -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Asiakas> Asiakasryhmä> Alue apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Yhteensä tuntia: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Alkaen päivä tulee olla tilikaudella. Olettaen että alkaen päivä = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Valittu vaihtoehto DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Maksun kuvaus -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Aseta Naming-sarjan asetukseksi {0} Asetukset> Asetukset> Sarjasta nimeäminen -kohdassa apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,riittämätön Stock DocType: Email Digest,New Sales Orders,uusi myyntitilaus DocType: Bank Account,Bank Account,Pankkitili @@ -774,6 +772,7 @@ DocType: Request for Quotation,Request for Quotation,Tarjouspyyntö DocType: Healthcare Settings,Require Lab Test Approval,Vaaditaan Lab Test Approval DocType: Attendance,Working Hours,Työaika apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Yhteensä erinomainen +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-muuntokerrointa ({0} -> {1}) ei löydy tuotteelle: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,muuta aloitusta / nykyselle järjestysnumerolle tai olemassa oleville sarjoille DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Prosenttiosuus, jolla saa laskuttaa enemmän tilattua summaa vastaan. Esimerkiksi: Jos tilauksen arvo on 100 dollaria tuotteelle ja toleranssiksi on asetettu 10%, sinulla on oikeus laskuttaa 110 dollaria." DocType: Dosage Strength,Strength,Vahvuus @@ -1262,7 +1261,6 @@ DocType: Timesheet,Total Billed Hours,Yhteensä laskutusasteesta DocType: Pricing Rule Item Group,Pricing Rule Item Group,Hinnoittelu sääntöerä DocType: Travel Itinerary,Travel To,Matkusta apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Valuuttakurssien uudelleenarvostus mestari. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Asenna läsnäolosuhteiden numerointisarjat kohdasta Asetukset> Numerointisarjat apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Poiston arvo DocType: Leave Block List Allow,Allow User,Salli Käyttäjä DocType: Journal Entry,Bill No,Bill No @@ -1615,6 +1613,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,kannustimet/bonukset apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Arvot ovat synkronoimattomia apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Eroarvo +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Asenna läsnäolosuhteiden numerointisarjat kohdasta Asetukset> Numerointisarja DocType: SMS Log,Requested Numbers,vaaditut numerot DocType: Volunteer,Evening,Ilta DocType: Quiz,Quiz Configuration,Tietokilpailun kokoonpano @@ -1782,6 +1781,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Paikalta DocType: Student Admission,Publish on website,Julkaise verkkosivusto apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Toimittaja laskun päiväys ei voi olla suurempi kuin julkaisupäivämäärä DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Tuotekoodi> Tuoteryhmä> Tuotemerkki DocType: Subscription,Cancelation Date,Peruutuksen päivämäärä DocType: Purchase Invoice Item,Purchase Order Item,Ostotilaus Kohde DocType: Agriculture Task,Agriculture Task,Maatalous Tehtävä @@ -2382,7 +2382,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Tuotealennuslaatat DocType: Target Detail,Target Distribution,Toimitus tavoitteet DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Väliaikaisen arvioinnin viimeistely apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Tuovat osapuolet ja osoitteet -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-muuntokerrointa ({0} -> {1}) ei löydy tuotteelle: {2} DocType: Salary Slip,Bank Account No.,Pankkitilin nro DocType: Naming Series,This is the number of the last created transaction with this prefix,Viimeinen tapahtuma on tehty tällä numerolla ja tällä etuliitteellä DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2774,6 +2773,9 @@ DocType: Company,Default Holiday List,oletus lomaluettelo DocType: Pricing Rule,Supplier Group,Toimittajaryhmä apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Rivi {0}: From Time ja To aika {1} on päällekkäinen {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",Kohteelle {1} on jo nimellisarvo {0}.
Nimesitkö kohteen uudelleen? Ota yhteyttä järjestelmänvalvojaan / tekniseen tukeen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,varasto vastattavat DocType: Purchase Invoice,Supplier Warehouse,toimittajan varasto DocType: Opportunity,Contact Mobile No,"yhteystiedot, puhelin" @@ -3216,6 +3218,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Laadukas kokouspöytä apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Käy foorumeilla +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Tehtävää {0} ei voida suorittaa loppuun, koska sen riippuvainen tehtävä {1} ei ole suoritettu loppuun / peruutettu." DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,useita tuotemalleja DocType: Employee Benefit Claim,Claim Benefit For,Korvausetu @@ -3374,7 +3377,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Total Billing Määrä (via apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Luo maksuaikataulu apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Toistuvien asiakkuuksien liikevaihto DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Asenna ohjaajien nimeämisjärjestelmä kohtaan Koulutus> Koulutusasetukset DocType: Quiz,Enter 0 to waive limit,Syötä 0 luopua rajoituksesta DocType: Bank Statement Settings,Mapped Items,Karttuneet kohteet DocType: Amazon MWS Settings,IT,SE @@ -3408,7 +3410,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Omaisuuteen {0} ei ole luotu tai linkitetty tarpeeksi sisältöä. \ Luo tai linkitä {1} omaisuus vastaavaan asiakirjaan. DocType: Pricing Rule,Apply Rule On Brand,Käytä sääntöä tuotemerkillä DocType: Task,Actual End Date (via Time Sheet),Todellinen Lopetuspäivä (via kellokortti) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Tehtävää {0} ei voi sulkea, koska sen riippuvainen tehtävä {1} ei ole suljettu." DocType: Soil Texture,Soil Type,Maaperätyyppi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Määrä {0} {1} vastaan {2} {3} ,Quotation Trends,Tarjousten kehitys @@ -3438,6 +3439,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Itsestään kulkevaa ajoneuvoa DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Toimittajan sijoitus apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Rivi {0}: osaluettelosi ei löytynyt Tuote {1} DocType: Contract Fulfilment Checklist,Requirement,Vaatimus +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Asenna Työntekijöiden nimeämisjärjestelmä kohtaan Henkilöstöresurssit> HR-asetukset DocType: Journal Entry,Accounts Receivable,saatava tilit DocType: Quality Goal,Objectives,tavoitteet DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Roolilla on oikeus luoda jälkikäteen jätettyä sovellusta @@ -3579,6 +3581,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,soveltava apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,"Tiedot ulkoisista ja sisäisistä tavaroista, jotka voidaan periä käännettynä" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Avaa uudelleen +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Ei sallittu. Poista laboratoriotestausmalli käytöstä DocType: Sales Invoice Item,Qty as per Stock UOM,Yksikkömäärä / varastoyksikkö apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Name apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3637,6 +3640,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Liiketoiminnan tyyppi DocType: Sales Invoice,Consumer,kuluttaja apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Valitse kohdennettava arvomäärä, laskun tyyppi ja laskun numero vähintään yhdelle riville" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Aseta Naming-sarjan asetukseksi {0} Asetukset> Asetukset> Sarjasta nimeäminen -kohdassa apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kustannukset New Purchase apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Myyntitilaus vaaditaan tuotteelle {0} DocType: Grant Application,Grant Description,Avustuksen kuvaus @@ -3662,7 +3666,6 @@ DocType: Payment Request,Transaction Details,maksutapahtuman tiedot apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"klikkaa ""muodosta aikataulu"" saadaksesi aikataulun" DocType: Item,"Purchase, Replenishment Details","Osto-, täydennys- ja tiedot" DocType: Products Settings,Enable Field Filters,Ota kenttäsuodattimet käyttöön -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Tuotekoodi> Tuoteryhmä> Tuotemerkki apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","Asiakkaan toimittama tuote" ei voi myöskään olla osto-esine DocType: Blanket Order Item,Ordered Quantity,tilattu määrä apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","esim, ""rakenna työkaluja rakentajille""" @@ -4132,7 +4135,7 @@ DocType: BOM,Operating Cost (Company Currency),Käyttökustannukset (Company val DocType: Authorization Rule,Applicable To (Role),sovellettavissa (rooli) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Odottavat lehdet DocType: BOM Update Tool,Replace BOM,Korvaa BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Koodi {0} on jo olemassa +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Koodi {0} on jo olemassa DocType: Patient Encounter,Procedures,menettelyt apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Myyntitoimeksiantoja ei ole saatavilla tuotantoon DocType: Asset Movement,Purpose,Tapahtuma @@ -4228,6 +4231,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Ohita työntekijän pä DocType: Warranty Claim,Service Address,Palveluosoite apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Tuo perustiedot DocType: Asset Maintenance Task,Calibration,kalibrointi +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Lab-testikohta {0} on jo olemassa apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} on yritysloma apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Laskutettavat tunnit apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Jätä statusilmoitus @@ -4578,7 +4582,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,Palkka Register DocType: Company,Default warehouse for Sales Return,Oletusvarasto myynnin palautusta varten DocType: Pick List,Parent Warehouse,Päävarasto -DocType: Subscription,Net Total,netto yhteensä +DocType: C-Form Invoice Detail,Net Total,netto yhteensä apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Aseta tuotteen säilyvyysaika päivinä, jotta asetat viimeisen käyttöpäivän valmistuspäivän ja säilyvyysajan perusteella." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Oletuksena BOM ei löytynyt Tuote {0} ja Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rivi {0}: Aseta maksutapa maksuaikataulussa @@ -4693,7 +4697,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Kohdevarasto on pakollinen rivillä {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Vähittäiskauppa DocType: Cheque Print Template,Primary Settings,Perusasetukset -DocType: Attendance Request,Work From Home,Tehdä töitä kotoa +DocType: Attendance,Work From Home,Tehdä töitä kotoa DocType: Purchase Invoice,Select Supplier Address,Valitse toimittajan osoite apps/erpnext/erpnext/public/js/event.js,Add Employees,Lisää Työntekijät DocType: Purchase Invoice Item,Quality Inspection,Laatutarkistus @@ -4935,8 +4939,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,Valtuutuksen URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Määrä {0} {1} {2} {3} DocType: Account,Depreciation,arvonalennus -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Poista työntekijä {0} \ peruuttaaksesi tämän asiakirjan" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Osakkeiden lukumäärä ja osakemäärä ovat epäjohdonmukaisia apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),toimittaja/toimittajat DocType: Employee Attendance Tool,Employee Attendance Tool,Työntekijän läsnäolo Tool @@ -5241,7 +5243,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kasvien analyysikriteer DocType: Cheque Print Template,Cheque Height,Shekki Korkeus DocType: Supplier,Supplier Details,toimittajan lisätiedot DocType: Setup Progress,Setup Progress,Asennuksen edistyminen -DocType: Expense Claim,Approval Status,hyväksynnän tila apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},arvosta täytyy olla pienempi kuin arvo rivillä {0} DocType: Program,Intro Video,Johdantovideo DocType: Manufacturing Settings,Default Warehouses for Production,Tuotannon oletusvarastot @@ -5582,7 +5583,6 @@ DocType: Purchase Invoice,Rounded Total,yhteensä pyöristettynä apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots for {0} ei ole lisätty aikatauluun DocType: Product Bundle,List items that form the package.,Listaa nimikkeet jotka muodostavat pakkauksen. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Kohdepaikka vaaditaan siirrettäessä omaisuutta {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Ei sallittu. Poista kokeilumalli käytöstä DocType: Sales Invoice,Distance (in km),Etäisyys (km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Prosenttiosuuden jako tulisi olla yhtä suuri 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Valitse tositepäivä ennen osapuolta @@ -5712,7 +5712,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,valuuttakurssi apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Kaikki toimittajaryhmät DocType: Employee Boarding Activity,Required for Employee Creation,Työntekijän luomiseen vaaditaan -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Toimittaja> Toimittajan tyyppi apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Tilinumero {0} on jo käytetty tili {1} DocType: GoCardless Mandate,Mandate,mandaatti DocType: Hotel Room Reservation,Booked,Varattu @@ -5778,7 +5777,6 @@ DocType: Production Plan Item,Product Bundle Item,Tuotepaketin nimike DocType: Sales Partner,Sales Partner Name,Myyntikumppani nimi apps/erpnext/erpnext/hooks.py,Request for Quotations,Pyyntö Lainaukset DocType: Payment Reconciliation,Maximum Invoice Amount,Suurin Laskun summa -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () epäonnistui tyhjällä IBAN-tunnuksella DocType: Normal Test Items,Normal Test Items,Normaalit koekappaleet DocType: QuickBooks Migrator,Company Settings,Yritysasetukset DocType: Additional Salary,Overwrite Salary Structure Amount,Korvaa palkkarakenteen määrä @@ -5929,6 +5927,7 @@ DocType: Issue,Resolution By Variance,Resoluutio varianssin mukaan DocType: Leave Allocation,Leave Period,Jätä aika DocType: Item,Default Material Request Type,Oletus hankintapyynnön tyyppi DocType: Supplier Scorecard,Evaluation Period,Arviointijakso +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Asiakas> Asiakasryhmä> Alue apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Tuntematon apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Työjärjestystä ei luotu apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6287,8 +6286,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Sarja # DocType: Material Request Plan Item,Required Quantity,Vaadittu määrä DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Tilikausi päällekkäin {0} kanssa +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Toimittaja> Toimittajan tyyppi apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Myynti tili DocType: Purchase Invoice Item,Total Weight,Kokonaispaino +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Poista työntekijä {0} \ peruuttaaksesi tämän asiakirjan" DocType: Pick List Item,Pick List Item,Valitse luettelon kohde apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,provisio myynti DocType: Job Offer Term,Value / Description,Arvo / Kuvaus @@ -6403,6 +6405,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Allekirjoitettu DocType: Bank Account,Party Type,Osapuoli tyyppi DocType: Discounted Invoice,Discounted Invoice,Alennettu lasku +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Merkitse läsnäolo nimellä DocType: Payment Schedule,Payment Schedule,Maksuaikataulu apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ei annettua työntekijäkentän arvoa. '{}': {} DocType: Item Attribute Value,Abbreviation,Lyhenne @@ -6504,7 +6507,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Syy pitoon DocType: Employee,Personal Email,Henkilökohtainen sähköposti apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,vaihtelu yhteensä DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Mikäli käytössä, järjestelmä tekee varastokirjanpidon tilikirjaukset automaattisesti." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () hyväksyi virheellisen IBAN-numeron {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,välityspalkkio apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Läsnäolo työntekijöiden {0} on jo merkitty tätä päivää DocType: Work Order Operation,"in Minutes @@ -6774,6 +6776,7 @@ DocType: Appointment,Customer Details,"asiakas, lisätiedot" apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Tulosta IRS 1099 -lomakkeet DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Tarkista, onko Asset vaatii ehkäisevää ylläpitoa tai kalibrointia" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Yrityksen lyhennelmä voi olla enintään 5 merkkiä +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Emoyhtiön on oltava konserniyhtiö DocType: Employee,Reports to,raportoi ,Unpaid Expense Claim,Maksamattomat kulukorvaukset DocType: Payment Entry,Paid Amount,Maksettu summa @@ -6861,6 +6864,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,OPP Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Molempien kokeilujaksojen alkamispäivä ja koeajan päättymispäivä on asetettava apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Keskimääräinen hinta +DocType: Appointment,Appointment With,Nimitys apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Maksun kokonaissumman summan on vastattava suurta / pyöristettyä summaa apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Asiakkaan toimittamalla tuotteella" ei voi olla arviointiastetta DocType: Subscription Plan Detail,Plan,Suunnitelma @@ -6999,7 +7003,6 @@ DocType: Customer,Customer Primary Contact,Asiakaslähtöinen yhteyshenkilö apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,OPP / Lyijy% DocType: Bank Guarantee,Bank Account Info,Pankkitilitiedot DocType: Bank Guarantee,Bank Guarantee Type,Pankkitakaustapa -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () epäonnistui kelvollisella IBAN-tilillä {} DocType: Payment Schedule,Invoice Portion,Laskuosuus ,Asset Depreciations and Balances,Asset Poistot ja taseet apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Määrä {0} {1} siirretty {2} ja {3} @@ -7662,7 +7665,6 @@ DocType: Dosage Form,Dosage Form,Annostuslomake apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Määritä kampanja-aikataulu kampanjaan {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Hinnasto valvonta. DocType: Task,Review Date,Review Date -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Merkitse läsnäolo nimellä DocType: BOM,Allow Alternative Item,Salli vaihtoehtoinen kohde apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Ostosetelillä ei ole nimikettä, jolle säilytä näyte." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Laskun kokonaissumma @@ -7890,7 +7892,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Yritä uudelleen apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Hinnastoa ei löydy tai se on poistettu käytöstä DocType: Content Activity,Last Activity ,Viimeinen toiminta -DocType: Student Applicant,Approved,hyväksytty DocType: Pricing Rule,Price,Hinta apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"työntekijä vapautettu {0} tulee asettaa ""vasemmalla""" DocType: Guardian,Guardian,holhooja @@ -8061,6 +8062,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Prosentuaalinen vähennys DocType: GL Entry,To Rename,Nimeä uudelleen DocType: Stock Entry,Repack,Pakkaa uudelleen apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Lisää sarjanumero valitsemalla. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Asenna ohjaajien nimeämisjärjestelmä kohtaan Koulutus> Koulutusasetukset apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Aseta verokoodi asiakkaalle% s apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Valitse ensin yritys DocType: Item Attribute,Numeric Values,Numeroarvot @@ -8077,6 +8079,7 @@ DocType: Salary Detail,Additional Amount,Lisämäärä apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Ostoskori on tyhjä apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Kohde {0} ei ole sarjanumeroa. Vain serilialoituja \ voidaan toimittaa sarjanumeroon +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Poistot DocType: Vehicle,Model,Malli DocType: Work Order,Actual Operating Cost,todelliset toimintakustannukset DocType: Payment Entry,Cheque/Reference No,Sekki / viitenumero diff --git a/erpnext/translations/fil.csv b/erpnext/translations/fil.csv new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv index 3764843fb1..f3b40ffe0b 100644 --- a/erpnext/translations/fr.csv +++ b/erpnext/translations/fr.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Montant de l'exemption DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nouveau taux de change apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Devise est nécessaire pour la liste de prix {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Sera calculé lors de la transaction. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Veuillez configurer le système de dénomination des employés dans Ressources humaines> Paramètres RH DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Contact Client DocType: Shift Type,Enable Auto Attendance,Activer la présence automatique @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Tous les Contacts Fournisseurs DocType: Support Settings,Support Settings,Paramètres du Support apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Le compte {0} est ajouté dans la société enfant {1}. apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,les informations d'identification invalides +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Mark Work From Home apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),CIT Disponible (que ce soit en partie op) DocType: Amazon MWS Settings,Amazon MWS Settings,Paramètres Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Traitement des bons @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Montant de la t apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Détails de l'adhésion apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1} : Un Fournisseur est requis pour le Compte Créditeur {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Articles et Prix -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Groupe de clients> Territoire apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Nombre total d'heures : {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},La Date Initiale doit être dans l'Exercice Fiscal. En supposant Date Initiale = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Option sélectionnée DocType: SG Creation Tool Course,SG Creation Tool Course,Cours de Création d'Outil SG DocType: Bank Statement Transaction Invoice Item,Payment Description,Description du paiement -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Veuillez définir la série de noms pour {0} via Configuration> Paramètres> Série de noms apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Stock Insuffisant DocType: Email Digest,New Sales Orders,Nouvelles Commandes Client DocType: Bank Account,Bank Account,Compte Bancaire @@ -774,6 +772,7 @@ DocType: Request for Quotation,Request for Quotation,Appel d'Offre DocType: Healthcare Settings,Require Lab Test Approval,Nécessite l'Approbation du Test de Laboratoire DocType: Attendance,Working Hours,Heures de Travail apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total en suspens +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Facteur de conversion UdM ({0} -> {1}) introuvable pour l'article: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Changer le numéro initial/actuel d'une série existante. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Pourcentage vous êtes autorisé à facturer plus par rapport au montant commandé. Par exemple: Si la valeur de la commande est de 100 USD pour un article et que la tolérance est définie sur 10%, vous êtes autorisé à facturer 110 USD." DocType: Dosage Strength,Strength,Force @@ -1263,7 +1262,6 @@ DocType: Timesheet,Total Billed Hours,Total des Heures Facturées DocType: Pricing Rule Item Group,Pricing Rule Item Group,Groupe de postes de règle de tarification DocType: Travel Itinerary,Travel To,Arrivée apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Master de réévaluation du taux de change. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Veuillez configurer la série de numérotation pour l'assistance via Configuration> Série de numérotation apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Montant de la Reprise DocType: Leave Block List Allow,Allow User,Autoriser l'Utilisateur DocType: Journal Entry,Bill No,Numéro de Facture @@ -1636,6 +1634,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Incitations apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Valeurs désynchronisées apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Valeur de différence +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Veuillez configurer la série de numérotation pour l'assistance via Configuration> Série de numérotation DocType: SMS Log,Requested Numbers,Numéros Demandés DocType: Volunteer,Evening,Soir DocType: Quiz,Quiz Configuration,Configuration du quiz @@ -1803,6 +1802,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Ville (Or DocType: Student Admission,Publish on website,Publier sur le site web apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Fournisseur Date de la Facture du Fournisseur ne peut pas être postérieure à Date de Publication DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Code article> Groupe d'articles> Marque DocType: Subscription,Cancelation Date,Date d'annulation DocType: Purchase Invoice Item,Purchase Order Item,Article du Bon de Commande DocType: Agriculture Task,Agriculture Task,Tâche d'agriculture @@ -2403,7 +2403,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Dalles à prix réduit DocType: Target Detail,Target Distribution,Distribution Cible DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalisation de l'évaluation provisoire apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Parties importatrices et adresses -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Facteur de conversion UdM ({0} -> {1}) introuvable pour l'article: {2} DocType: Salary Slip,Bank Account No.,N° de Compte Bancaire DocType: Naming Series,This is the number of the last created transaction with this prefix,Numéro de la dernière transaction créée avec ce préfixe DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2795,6 +2794,9 @@ DocType: Company,Default Holiday List,Liste de Vacances par Défaut DocType: Pricing Rule,Supplier Group,Groupe de fournisseurs apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,Résumé {0} apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Ligne {0} : Heure de Début et Heure de Fin de {1} sont en conflit avec {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",Une nomenclature portant le nom {0} existe déjà pour l'article {1}.
Avez-vous renommé l'élément? Veuillez contacter l'administrateur / le support technique apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Passif du Stock DocType: Purchase Invoice,Supplier Warehouse,Entrepôt Fournisseur DocType: Opportunity,Contact Mobile No,N° de Portable du Contact @@ -3237,6 +3239,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Table de réunion de qualité apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Visitez les forums +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Impossible de terminer la tâche {0} car sa tâche dépendante {1} n'est pas terminée / annulée. DocType: Student,Student Mobile Number,Numéro de Mobile de l'Étudiant DocType: Item,Has Variants,A Variantes DocType: Employee Benefit Claim,Claim Benefit For,Demande de prestations pour @@ -3396,7 +3399,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Montant Total de Facturation apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Créer une grille tarifaire apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Revenus de Clients Récurrents DocType: Soil Texture,Silty Clay Loam,Limon argileux fin -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Veuillez configurer le système de dénomination de l'instructeur dans Éducation> Paramètres de l'éducation DocType: Quiz,Enter 0 to waive limit,Entrez 0 pour renoncer à la limite DocType: Bank Statement Settings,Mapped Items,Articles mappés DocType: Amazon MWS Settings,IT,IL @@ -3430,7 +3432,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Il n'y a pas suffisamment de ressources créées ou liées à {0}. \ Veuillez créer ou lier {1} les actifs avec le document respectif. DocType: Pricing Rule,Apply Rule On Brand,Appliquer la règle sur la marque DocType: Task,Actual End Date (via Time Sheet),Date de Fin Réelle (via la Feuille de Temps) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Impossible de fermer la tâche {0} car sa tâche dépendante {1} n'est pas fermée. DocType: Soil Texture,Soil Type,Le type de sol apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Montant {0} {1} pour {2} {3} ,Quotation Trends,Tendances des Devis @@ -3460,6 +3461,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Véhicule Autonome DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Classement de la Fiche d'Évaluation Fournisseur apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Ligne {0} : Liste de Matériaux non trouvée pour l’Article {1} DocType: Contract Fulfilment Checklist,Requirement,Obligations +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Veuillez configurer le système de dénomination des employés dans Ressources humaines> Paramètres RH DocType: Journal Entry,Accounts Receivable,Comptes Débiteurs DocType: Quality Goal,Objectives,Objectifs DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Rôle autorisé à créer une demande de congé antidatée @@ -3601,6 +3603,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Appliqué apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Détails des livraisons sortantes et des livraisons entrantes susceptibles d'inverser la charge apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Ré-ouvrir +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Pas permis. Veuillez désactiver le modèle de test de laboratoire DocType: Sales Invoice Item,Qty as per Stock UOM,Qté par UDM du Stock apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nom du Tuteur 2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Compagnie Racine @@ -3659,6 +3662,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Type de commerce DocType: Sales Invoice,Consumer,Consommateur apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Veuillez sélectionner le Montant Alloué, le Type de Facture et le Numéro de Facture dans au moins une ligne" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Veuillez définir la série de noms pour {0} via Configuration> Paramètres> Série de noms apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Coût du Nouvel Achat apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Commande Client requise pour l'Article {0} DocType: Grant Application,Grant Description,Description de la subvention @@ -3684,7 +3688,6 @@ DocType: Payment Request,Transaction Details,détails de la transaction apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,Veuillez cliquer sur ‘Générer Calendrier’ pour obtenir le calendrier DocType: Item,"Purchase, Replenishment Details","Détails d'achat, de réapprovisionnement" DocType: Products Settings,Enable Field Filters,Activer les filtres de champ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Code article> Groupe d'articles> Marque apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","Un ""article fourni par un client"" ne peut pas être également un article d'achat" DocType: Blanket Order Item,Ordered Quantity,Quantité Commandée apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","e.g. ""Construire des outils pour les constructeurs""" @@ -4154,7 +4157,7 @@ DocType: BOM,Operating Cost (Company Currency),Coût d'Exploitation (Devise Soci DocType: Authorization Rule,Applicable To (Role),Applicable À (Rôle) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Congés en attente DocType: BOM Update Tool,Replace BOM,Remplacer la LDM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Le code {0} existe déjà +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Le code {0} existe déjà DocType: Patient Encounter,Procedures,Procédures apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Aucune commande client n'est disponible pour la production DocType: Asset Movement,Purpose,Objet @@ -4270,6 +4273,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Ignorer les chevauchemen DocType: Warranty Claim,Service Address,Adresse du Service apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importer des données de base DocType: Asset Maintenance Task,Calibration,Étalonnage +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,L'élément de test en laboratoire {0} existe déjà apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} est un jour férié pour la société apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Heures facturables apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Notification de statut des congés @@ -4632,7 +4636,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,Registre du Salaire DocType: Company,Default warehouse for Sales Return,Magasin par défaut pour retour de vente DocType: Pick List,Parent Warehouse,Entrepôt Parent -DocType: Subscription,Net Total,Total Net +DocType: C-Form Invoice Detail,Net Total,Total Net apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Définissez la durée de conservation de l'article en jours, pour définir l'expiration en fonction de la date de fabrication et de la durée de conservation." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},La LDM par défaut n'a pas été trouvée pour l'Article {0} et le Projet {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Ligne {0}: Veuillez définir le mode de paiement dans le calendrier de paiement. @@ -4747,7 +4751,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},L’Entrepôt cible est obligatoire pour la ligne {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Opérations de détail DocType: Cheque Print Template,Primary Settings,Paramètres Principaux -DocType: Attendance Request,Work From Home,Télétravail +DocType: Attendance,Work From Home,Télétravail DocType: Purchase Invoice,Select Supplier Address,Sélectionner l'Adresse du Fournisseur apps/erpnext/erpnext/public/js/event.js,Add Employees,Ajouter des Employés DocType: Purchase Invoice Item,Quality Inspection,Inspection de la Qualité @@ -4989,8 +4993,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL d'autorisation apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Montant {0} {1} {2} {3} DocType: Account,Depreciation,Amortissement -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Veuillez supprimer l'employé {0} \ pour annuler ce document" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,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 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Fournisseur(s) DocType: Employee Attendance Tool,Employee Attendance Tool,Outil de Gestion des Présences des Employés @@ -5295,7 +5297,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Critères d'analyse DocType: Cheque Print Template,Cheque Height,Hauteur du Chèque DocType: Supplier,Supplier Details,Détails du Fournisseur DocType: Setup Progress,Setup Progress,Progression de l'Installation -DocType: Expense Claim,Approval Status,Statut d'Approbation apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},De la Valeur doit être inférieure à la valeur de la ligne {0} DocType: Program,Intro Video,Vidéo d'introduction DocType: Manufacturing Settings,Default Warehouses for Production,Entrepôts par défaut pour la production @@ -5432,7 +5433,7 @@ DocType: Pricing Rule,Margin,Marge apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Nouveaux Clients apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Gross Profit %,Bénéfice Brut % apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Rendez-vous {0} et facture de vente {1} annulés -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,Opportunités par source de prospect +apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,Opportunités par source de plomb DocType: Appraisal Goal,Weightage (%),Poids (%) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Modifier le profil POS DocType: Bank Reconciliation Detail,Clearance Date,Date de Compensation @@ -5636,7 +5637,6 @@ DocType: Purchase Invoice,Rounded Total,Total Arrondi apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Les créneaux pour {0} ne sont pas ajoutés à l'agenda DocType: Product Bundle,List items that form the package.,Liste des articles qui composent le paquet. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},L'emplacement cible est requis lors du transfert de l'élément {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Non autorisé. Veuillez désactiver le modèle de test DocType: Sales Invoice,Distance (in km),Distance (en km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Pourcentage d'Allocation doit être égale à 100 % apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Veuillez sélectionner la Date de Comptabilisation avant de sélectionner le Tiers @@ -5766,7 +5766,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Taux de Change de la Liste de Prix apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Tous les groupes de fournisseurs DocType: Employee Boarding Activity,Required for Employee Creation,Obligatoire pour la création d'un employé -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fournisseur> Type de fournisseur apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Numéro de compte {0} déjà utilisé dans le compte {1} DocType: GoCardless Mandate,Mandate,Mandat DocType: Hotel Room Reservation,Booked,Réservé @@ -5832,7 +5831,6 @@ DocType: Production Plan Item,Product Bundle Item,Article d'un Ensemble de Produ DocType: Sales Partner,Sales Partner Name,Nom du Partenaire de Vente apps/erpnext/erpnext/hooks.py,Request for Quotations,Appel d’Offres DocType: Payment Reconciliation,Maximum Invoice Amount,Montant Maximal de la Facture -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () a échoué pour un IBAN vide DocType: Normal Test Items,Normal Test Items,Articles de Test Normal DocType: QuickBooks Migrator,Company Settings,des paramètres de l'entreprise DocType: Additional Salary,Overwrite Salary Structure Amount,Remplacer le montant de la structure salariale @@ -5983,6 +5981,7 @@ DocType: Issue,Resolution By Variance,Résolution par variance DocType: Leave Allocation,Leave Period,Période de congé DocType: Item,Default Material Request Type,Type de Requête de Matériaux par Défaut DocType: Supplier Scorecard,Evaluation Period,Période d'Évaluation +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Groupe de clients> Territoire apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Inconnu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Ordre de travail non créé apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6341,8 +6340,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Série # DocType: Material Request Plan Item,Required Quantity,Quantité requise DocType: Lab Test Template,Lab Test Template,Modèle de test de laboratoire apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},La période comptable chevauche avec {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fournisseur> Type de fournisseur apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Compte de vente DocType: Purchase Invoice Item,Total Weight,Poids total +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Veuillez supprimer l'employé {0} \ pour annuler ce document" DocType: Pick List Item,Pick List Item,Élément de la liste de choix apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Commission sur les Ventes DocType: Job Offer Term,Value / Description,Valeur / Description @@ -6457,6 +6459,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Signé le DocType: Bank Account,Party Type,Type de Tiers DocType: Discounted Invoice,Discounted Invoice,Facture à prix réduit +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Marquer la présence comme DocType: Payment Schedule,Payment Schedule,Calendrier de paiement apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Aucun employé trouvé pour la valeur de champ d'employé donnée. '{}': {} DocType: Item Attribute Value,Abbreviation,Abréviation @@ -6558,7 +6561,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Raison de la mise en attent DocType: Employee,Personal Email,Email Personnel apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Variance Totale DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Si activé, le système publiera automatiquement les écritures comptables pour l'inventaire." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () a accepté un IBAN non valide {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Courtage apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,La présence de l'employé {0} est déjà marquée pour cette journée DocType: Work Order Operation,"in Minutes @@ -6828,6 +6830,7 @@ DocType: Appointment,Customer Details,Détails du client apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Imprimer les formulaires IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Vérifier si l'actif nécessite une maintenance préventive ou un étalonnage apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,L'abréviation de l'entreprise ne peut pas comporter plus de 5 caractères +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,La société mère doit être une société du groupe DocType: Employee,Reports to,Rapports À ,Unpaid Expense Claim,Note de Frais Impayée DocType: Payment Entry,Paid Amount,Montant Payé @@ -6915,6 +6918,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Compte d'Opportunités apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,La date de début de la période d'essai et la date de fin de la période d'essai doivent être définies apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Prix moyen +DocType: Appointment,Appointment With,Rendez-vous avec apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Le montant total du paiement dans l'échéancier doit être égal au Total Général / Total Arrondi apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Un ""article fourni par un client"" ne peut pas avoir de taux de valorisation" DocType: Subscription Plan Detail,Plan,Plan @@ -7048,7 +7052,6 @@ DocType: Customer,Customer Primary Contact,Contact principal du client apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Prospect % DocType: Bank Guarantee,Bank Account Info,Informations sur le compte bancaire DocType: Bank Guarantee,Bank Guarantee Type,Type de garantie bancaire -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () a échoué pour un IBAN valide {} DocType: Payment Schedule,Invoice Portion,Pourcentage de facturation ,Asset Depreciations and Balances,Amortissements et Soldes d'Actif apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Montant {0} {1} transféré de {2} à {3} @@ -7712,7 +7715,6 @@ DocType: Dosage Form,Dosage Form,Formulaire de Dosage apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Configurez le calendrier de la campagne dans la campagne {0}. apps/erpnext/erpnext/config/buying.py,Price List master.,Données de Base des Listes de Prix DocType: Task,Review Date,Date de Revue -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Marquer la présence comme DocType: BOM,Allow Alternative Item,Autoriser un article alternatif apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Le reçu d’achat ne contient aucun élément pour lequel Conserver échantillon est activé. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Total général de la facture @@ -7940,7 +7942,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Liste de Prix introuvable ou desactivée DocType: Content Activity,Last Activity ,Dernière Activité -DocType: Student Applicant,Approved,Approuvé DocType: Pricing Rule,Price,Prix apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Employé dégagé de {0} doit être défini comme 'Gauche' DocType: Guardian,Guardian,Tuteur @@ -8111,6 +8112,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Pourcentage de déduction DocType: GL Entry,To Rename,Renommer DocType: Stock Entry,Repack,Ré-emballer apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Sélectionnez pour ajouter un numéro de série. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Veuillez configurer le système de dénomination de l'instructeur dans Éducation> Paramètres de l'éducation apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Veuillez définir le code fiscal du client '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Veuillez sélectionner la Société en premier DocType: Item Attribute,Numeric Values,Valeurs Numériques @@ -8127,6 +8129,7 @@ DocType: Salary Detail,Additional Amount,Montant supplémentaire apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Le panier est Vide apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",L'article {0} n'a pas de numéro de série. Seuls les articles sérilisés peuvent être livrés en fonction du numéro de série. +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Montant amorti DocType: Vehicle,Model,Modèle DocType: Work Order,Actual Operating Cost,Coût d'Exploitation Réel DocType: Payment Entry,Cheque/Reference No,Chèque/N° de Référence diff --git a/erpnext/translations/gu.csv b/erpnext/translations/gu.csv index cdb8243ab7..e3d010aa87 100644 --- a/erpnext/translations/gu.csv +++ b/erpnext/translations/gu.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,માનક કર છૂ DocType: Exchange Rate Revaluation Account,New Exchange Rate,ન્યૂ એક્સચેન્જ રેટ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},કરન્સી ભાવ યાદી માટે જરૂરી છે {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* પરિવહનમાં ગણતરી કરવામાં આવશે. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,કૃપા કરીને માનવ સંસાધન> એચઆર સેટિંગ્સમાં કર્મચારી નામકરણ સિસ્ટમ સેટ કરો DocType: Delivery Trip,MAT-DT-.YYYY.-,મેટ-ડીટી-. વાયવાયવાય.- DocType: Purchase Order,Customer Contact,ગ્રાહક સંપર્ક DocType: Shift Type,Enable Auto Attendance,Autoટો હાજરીને સક્ષમ કરો @@ -95,6 +94,7 @@ DocType: Item Price,Multiple Item prices.,મલ્ટીપલ વસ્તુ DocType: SMS Center,All Supplier Contact,બધા પુરવઠોકર્તા સંપર્ક DocType: Support Settings,Support Settings,આધાર સેટિંગ્સ apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,અમાન્ય ઓળખાણપત્ર +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,ઘરથી કાર્ય ચિહ્નિત કરો apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),આઇટીસી ઉપલબ્ધ છે (સંપૂર્ણ ઓપ ભાગમાં છે કે નહીં) DocType: Amazon MWS Settings,Amazon MWS Settings,એમેઝોન એમડબલ્યુએસ સેટિંગ્સ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,પ્રોસેસીંગ વાઉચર્સ @@ -403,7 +403,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,મૂલ્ય apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,સભ્યપદ વિગતો apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: પુરવઠોકર્તા ચૂકવવાપાત્ર એકાઉન્ટ સામે જરૂરી છે {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,વસ્તુઓ અને પ્રાઇસીંગ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ગ્રાહક> ગ્રાહક જૂથ> ક્ષેત્ર apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},કુલ સમય: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},તારીખ થી નાણાકીય વર્ષ અંદર પ્રયત્ન કરીશું. તારીખ થી એમ ધારી રહ્યા છીએ = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,એચએલસી-પી.એમ.આર.-વાય. વાયવાયવાય.- @@ -759,6 +758,7 @@ DocType: Request for Quotation,Request for Quotation,અવતરણ માટ DocType: Healthcare Settings,Require Lab Test Approval,લેબ ટેસ્ટ મંજૂરીની આવશ્યકતા છે DocType: Attendance,Working Hours,કામ નાં કલાકો apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,કુલ ઉત્કૃષ્ટ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},આઇટમ માટે યુઓએમ કન્વર્ઝન પરિબળ ({0} -> {1}) મળ્યું નથી: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,હાલની શ્રેણી શરૂ / વર્તમાન ક્રમ નંબર બદલો. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"ઓર્ડર કરેલી રકમની સરખામણીએ તમને વધુ બિલ આપવાની મંજૂરી છે. ઉદાહરણ તરીકે: જો કોઈ આઇટમ માટે orderર્ડર મૂલ્ય is 100 છે અને સહિષ્ણુતા 10% તરીકે સેટ કરેલી છે, તો તમને $ 110 માટે બિલ આપવાની મંજૂરી છે." DocType: Dosage Strength,Strength,સ્ટ્રેન્થ @@ -1239,7 +1239,6 @@ DocType: Timesheet,Total Billed Hours,કુલ ગણાવી કલાક DocType: Pricing Rule Item Group,Pricing Rule Item Group,પ્રાઇસીંગ નિયમ આઇટમ જૂથ DocType: Travel Itinerary,Travel To,માટે યાત્રા apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,વિનિમય દર મૂલ્યાંકન માસ્ટર. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,કૃપા કરીને સેટઅપ> નંબરિંગ સિરીઝ દ્વારા હાજરી માટે નંબરિંગ શ્રેણી સેટ કરો apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,રકમ માંડવાળ DocType: Leave Block List Allow,Allow User,વપરાશકર્તા માટે પરવાનગી આપે છે DocType: Journal Entry,Bill No,બિલ કોઈ @@ -1588,6 +1587,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,ઇનસેન્ટીવ્સ apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,સમન્વયનના મૂલ્યો apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,તફાવત મૂલ્ય +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,કૃપા કરીને સેટઅપ> નંબરિંગ સિરીઝ દ્વારા હાજરી માટે નંબરિંગ શ્રેણી સેટ કરો DocType: SMS Log,Requested Numbers,વિનંતી નંબર્સ DocType: Volunteer,Evening,સાંજ DocType: Quiz,Quiz Configuration,ક્વિઝ રૂપરેખાંકન @@ -1754,6 +1754,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,પ્લ DocType: Student Admission,Publish on website,વેબસાઇટ પર પ્રકાશિત apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,પુરવઠોકર્તા ભરતિયું તારીખ પોસ્ટ તારીખ કરતાં વધારે ન હોઈ શકે DocType: Installation Note,MAT-INS-.YYYY.-,મેટ-આઈએનએસ - .YYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,આઇટમ કોડ> આઇટમ જૂથ> બ્રાન્ડ DocType: Subscription,Cancelation Date,રદ કરવાની તારીખ DocType: Purchase Invoice Item,Purchase Order Item,ઓર્ડર વસ્તુ ખરીદી DocType: Agriculture Task,Agriculture Task,કૃષિ કાર્ય @@ -2345,7 +2346,6 @@ DocType: Promotional Scheme,Product Discount Slabs,પ્રોડક્ટ ડ DocType: Target Detail,Target Distribution,લક્ષ્ય વિતરણની DocType: Purchase Invoice,06-Finalization of Provisional assessment,કામચલાઉ આકારણીના 06-અંતિમ રૂપ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,પક્ષો અને સરનામાંઓ આયાત કરી રહ્યા છીએ -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},આઇટમ માટે યુઓએમ કન્વર્ઝન પરિબળ ({0} -> {1}) મળ્યું નથી: {2} DocType: Salary Slip,Bank Account No.,બેન્ક એકાઉન્ટ નંબર DocType: Naming Series,This is the number of the last created transaction with this prefix,આ ઉપસર્ગ સાથે છેલ્લા બનાવવામાં વ્યવહાર સંખ્યા છે DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -3311,7 +3311,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),કુલ બિલિંગ apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,ફી શેડ્યૂલ બનાવો apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,પુનરાવર્તન ગ્રાહક આવક DocType: Soil Texture,Silty Clay Loam,સિલિટી ક્લે લોમ -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,કૃપા કરીને શિક્ષણ> શિક્ષણ સેટિંગ્સમાં પ્રશિક્ષક નામકરણ સિસ્ટમ સેટ કરો DocType: Quiz,Enter 0 to waive limit,માફ કરવાની મર્યાદા માટે 0 દાખલ કરો DocType: Bank Statement Settings,Mapped Items,મેપ કરેલ આઇટમ્સ DocType: Amazon MWS Settings,IT,આઇટી @@ -3371,6 +3370,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,સેલ્ફ ડ્રાઈ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,પુરવઠોકર્તા સ્કોરકાર્ડ સ્ટેન્ડિંગ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},રો {0}: મટીરીયલ્સ બિલ આઇટમ માટે મળી નથી {1} DocType: Contract Fulfilment Checklist,Requirement,જરૂરિયાત +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,કૃપા કરીને માનવ સંસાધન> એચઆર સેટિંગ્સમાં કર્મચારી નામકરણ સિસ્ટમ સેટ કરો DocType: Journal Entry,Accounts Receivable,મળવાપાત્ર હિસાબ DocType: Quality Goal,Objectives,ઉદ્દેશો DocType: HR Settings,Role Allowed to Create Backdated Leave Application,બેકડેટેડ રજા એપ્લિકેશન બનાવવાની મંજૂરીની ભૂમિકા @@ -3510,6 +3510,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,એપ્લાઇડ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,રિવર્સ ચાર્જ માટે જવાબદાર બાહ્ય પુરવઠા અને આવક સપ્લાયની વિગતો apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,ફરીથી ખોલો +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,મંજુરી નથી. કૃપા કરીને લેબ ટેસ્ટ ટેમ્પલેટને અક્ષમ કરો DocType: Sales Invoice Item,Qty as per Stock UOM,સ્ટોક Qty UOM મુજબ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 નામ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,રુટ કંપની @@ -3593,7 +3594,6 @@ DocType: Payment Request,Transaction Details,ટ્રાન્ઝેક્શ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,શેડ્યૂલ મેળવવા માટે 'બનાવો સૂચિ' પર ક્લિક કરો DocType: Item,"Purchase, Replenishment Details","ખરીદી, ફરી ભરવાની વિગતો" DocType: Products Settings,Enable Field Filters,ફીલ્ડ ફિલ્ટર્સને સક્ષમ કરો -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,આઇટમ કોડ> આઇટમ જૂથ> બ્રાન્ડ apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also",ગ્રાહક પ્રદાન કરેલ વસ્તુ પણ ખરીદી શકાતી નથી DocType: Blanket Order Item,Ordered Quantity,આદેશ આપ્યો જથ્થો apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",દા.ત. "બિલ્ડરો માટે સાધનો બનાવો" @@ -4055,7 +4055,7 @@ DocType: BOM,Operating Cost (Company Currency),સંચાલન ખર્ચ ( DocType: Authorization Rule,Applicable To (Role),લાગુ કરવા માટે (ભૂમિકા) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,બાકી પાંદડાઓ DocType: BOM Update Tool,Replace BOM,BOM બદલો -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,કોડ {0} પહેલેથી હાજર છે +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,કોડ {0} પહેલેથી હાજર છે DocType: Patient Encounter,Procedures,પ્રક્રિયાઓ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,સેલ્સ ઓર્ડર્સ ઉત્પાદન માટે ઉપલબ્ધ નથી DocType: Asset Movement,Purpose,હેતુ @@ -4150,6 +4150,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,એમ્પ્લોય DocType: Warranty Claim,Service Address,સેવા સરનામું apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,માસ્ટર ડેટા આયાત કરો DocType: Asset Maintenance Task,Calibration,માપાંકન +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,લેબ ટેસ્ટ આઇટમ {0} પહેલેથી અસ્તિત્વમાં છે apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} કંપનીની રજા છે apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,બિલ કરી શકાય તેવા કલાકો apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,સ્થિતિ સૂચન છોડો @@ -4495,7 +4496,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,પગાર રજિસ્ટર DocType: Company,Default warehouse for Sales Return,સેલ્સ રીટર્ન માટે ડિફોલ્ટ વેરહાઉસ DocType: Pick List,Parent Warehouse,પિતૃ વેરહાઉસ -DocType: Subscription,Net Total,નેટ કુલ +DocType: C-Form Invoice Detail,Net Total,નેટ કુલ apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","મેન્યુફેક્ચરિંગ ડેટ વત્તા શેલ્ફ-લાઇફના આધારે સમાપ્તિ સેટ કરવા માટે, દિવસોમાં આઇટમની શેલ્ફ લાઇફ સેટ કરો." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},ડિફૉલ્ટ BOM આઇટમ માટે મળી નથી {0} અને પ્રોજેક્ટ {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,પંક્તિ {0}: કૃપા કરીને ચુકવણી સૂચિમાં ચુકવણીનું મોડ સેટ કરો @@ -4607,7 +4608,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},લક્ષ્યાંક વેરહાઉસ પંક્તિ માટે ફરજિયાત છે {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,છૂટક કામગીરી DocType: Cheque Print Template,Primary Settings,પ્રાથમિક સેટિંગ્સ -DocType: Attendance Request,Work From Home,ઘર બેઠા કામ +DocType: Attendance,Work From Home,ઘર બેઠા કામ DocType: Purchase Invoice,Select Supplier Address,પુરવઠોકર્તા સરનામું પસંદ apps/erpnext/erpnext/public/js/event.js,Add Employees,કર્મચારીઓની ઉમેરો DocType: Purchase Invoice Item,Quality Inspection,ગુણવત્તા નિરીક્ષણ @@ -4844,8 +4845,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,અધિકૃતતા URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},રકમ {0} {1} {2} {3} DocType: Account,Depreciation,અવમૂલ્યન -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","કૃપા કરીને આ દસ્તાવેજ રદ કરવા માટે કર્મચારી {0} delete કા deleteી નાખો" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,શેર્સની સંખ્યા અને શેરની સંખ્યા અસંગત છે apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),પુરવઠોકર્તા (ઓ) DocType: Employee Attendance Tool,Employee Attendance Tool,કર્મચારીનું એટેન્ડન્સ સાધન @@ -5147,7 +5146,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,પ્લાન્ટ DocType: Cheque Print Template,Cheque Height,ચેક ઊંચાઈ DocType: Supplier,Supplier Details,પુરવઠોકર્તા વિગતો DocType: Setup Progress,Setup Progress,સેટઅપ પ્રગતિ -DocType: Expense Claim,Approval Status,મંજૂરી સ્થિતિ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},કિંમત પંક્તિ માં કિંમત કરતાં ઓછી હોવી જોઈએ થી {0} DocType: Program,Intro Video,પ્રસ્તાવના વિડિઓ DocType: Manufacturing Settings,Default Warehouses for Production,ઉત્પાદન માટે ડિફોલ્ટ વેરહાઉસ @@ -5480,7 +5478,6 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,વેચાણ DocType: Purchase Invoice,Rounded Total,ગોળાકાર કુલ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} માટેની સ્લોટ શેડ્યૂલમાં ઉમેરાયા નથી DocType: Product Bundle,List items that form the package.,પેકેજ રચે છે કે યાદી વસ્તુઓ. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,પરવાનગી નથી. કૃપા કરીને પરીક્ષણ નમૂનાને અક્ષમ કરો DocType: Sales Invoice,Distance (in km),અંતર (કિ.મી.) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,ટકાવારી ફાળવણી 100% સમાન હોવું જોઈએ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,કૃપા કરીને પાર્ટી પસંદ કર્યા પહેલાં પોસ્ટ તારીખ સિલેક્ટ કરો @@ -5610,7 +5607,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,ભાવ યાદી એક્સચેન્જ રેટ apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,બધા પુરવઠોકર્તા જૂથો DocType: Employee Boarding Activity,Required for Employee Creation,કર્મચારી બનાવટ માટે આવશ્યક છે -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,સપ્લાયર> સપ્લાયર પ્રકાર apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},એકાઉન્ટ નંબર {0} એકાઉન્ટમાં પહેલેથી ઉપયોગમાં છે {1} DocType: GoCardless Mandate,Mandate,આદેશ DocType: Hotel Room Reservation,Booked,બુક્ડ @@ -5675,7 +5671,6 @@ DocType: Production Plan Item,Product Bundle Item,ઉત્પાદન બં DocType: Sales Partner,Sales Partner Name,વેચાણ ભાગીદાર નામ apps/erpnext/erpnext/hooks.py,Request for Quotations,સુવાકયો માટે વિનંતી DocType: Payment Reconciliation,Maximum Invoice Amount,મહત્તમ ભરતિયું જથ્થા -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,ખાલી આઇબીએન માટે બેંકઅકાઉન્ટ. માન્યતા_બીન () નિષ્ફળ DocType: Normal Test Items,Normal Test Items,સામાન્ય ટેસ્ટ આઈટમ્સ DocType: QuickBooks Migrator,Company Settings,કંપની સેટિંગ્સ DocType: Additional Salary,Overwrite Salary Structure Amount,પગાર માળખું રકમ પર ફરીથી લખી @@ -5824,6 +5819,7 @@ DocType: Issue,Resolution By Variance,વિવિધતા દ્વારા DocType: Leave Allocation,Leave Period,છોડો પીરિયડ DocType: Item,Default Material Request Type,મૂળભૂત સામગ્રી વિનંતી પ્રકાર DocType: Supplier Scorecard,Evaluation Period,મૂલ્યાંકન અવધિ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ગ્રાહક> ગ્રાહક જૂથ> ક્ષેત્ર apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,અજ્ઞાત apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,કાર્ય ઓર્ડર બનાવ્યું નથી apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6174,8 +6170,11 @@ DocType: Salary Component,Formula,ફોર્મ્યુલા apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,સીરીયલ # DocType: Material Request Plan Item,Required Quantity,જરૂરી માત્રા DocType: Lab Test Template,Lab Test Template,લેબ ટેસ્ટ ઢાંચો +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,સપ્લાયર> સપ્લાયર પ્રકાર apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,સેલ્સ એકાઉન્ટ DocType: Purchase Invoice Item,Total Weight,કૂલ વજન +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","કૃપા કરીને આ દસ્તાવેજ રદ કરવા માટે કર્મચારી {0} delete કા deleteી નાખો" DocType: Pick List Item,Pick List Item,સૂચિ આઇટમ ચૂંટો apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,સેલ્સ પર કમિશન DocType: Job Offer Term,Value / Description,ભાવ / વર્ણન @@ -6288,6 +6287,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,સાઇન કરેલું DocType: Bank Account,Party Type,પાર્ટી પ્રકાર DocType: Discounted Invoice,Discounted Invoice,ડિસ્કાઉન્ટ ભરતિયું +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,તરીકે હાજરી માર્ક કરો DocType: Payment Schedule,Payment Schedule,ચુકવણી સૂચિ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},આપેલ કર્મચારીની ક્ષેત્ર કિંમત માટે કોઈ કર્મચારી મળ્યો નથી. '{}': { DocType: Item Attribute Value,Abbreviation,સંક્ષેપનો @@ -6388,7 +6388,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,પકડને પકડ DocType: Employee,Personal Email,વ્યક્તિગત ઇમેઇલ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,કુલ ફેરફાર DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","જો સક્રિય હોય તો, સિસ્ટમ આપોઆપ યાદી માટે એકાઉન્ટિંગ પ્રવેશો પોસ્ટ થશે." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.uthorate_iban () એ અમાન્ય IBAN સ્વીકાર્યું accepted} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,બ્રોકરેજ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,કર્મચારી {0} માટે હાજરી પહેલેથી જ આ દિવસ માટે ચિહ્નિત થયેલ છે DocType: Work Order Operation,"in Minutes @@ -6654,6 +6653,7 @@ DocType: Appointment,Customer Details,ગ્રાહક વિગતો apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,આઈઆરએસ 1099 ફોર્મ છાપો DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,તપાસ કરો કે સંપત્તિને નિવારક જાળવણી અથવા કેલિબ્રેશનની જરૂર છે apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,કંપની સંક્ષિપ્તમાં 5 અક્ષરોથી વધુ હોઈ શકતું નથી +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,પેરેંટ કંપની એક ગ્રુપ કંપની હોવી આવશ્યક છે DocType: Employee,Reports to,અહેવાલો ,Unpaid Expense Claim,અવેતન ખર્ચ દાવો DocType: Payment Entry,Paid Amount,ચૂકવેલ રકમ @@ -6739,6 +6739,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,સામે કાઉન્ટ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,બંને ટ્રાયલ પીરિયડ પ્રારંભ તારીખ અને ટ્રાયલ પીરિયડ સમાપ્તિ તારીખ સેટ હોવી જોઈએ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,સરેરાશ દર +DocType: Appointment,Appointment With,સાથે નિમણૂક apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,પેમેન્ટ સુનિશ્ચિતમાં કુલ ચૂકવણીની રકમ ગ્રાન્ડ / ગોળાકાર કુલની સમકક્ષ હોવી જોઈએ apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""ગ્રાહક મોકલેલ વસ્તુ"" ""મૂલ્યાંકન દર ન હોઈ શકે" DocType: Subscription Plan Detail,Plan,યોજના @@ -6809,6 +6810,7 @@ DocType: Production Plan,Select Items to Manufacture,ઉત્પાદન વ DocType: Delivery Stop,Delivery Stop,ડિલિવરી સ્ટોપ apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","મુખ્ય માહિતી સમન્વય, તે થોડો સમય લાગી શકે છે" DocType: Material Request Plan Item,Material Issue,મહત્વનો મુદ્દો +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},પ્રાઇસીંગ નિયમમાં મફત આઇટમ સેટ નથી {0} DocType: Employee Education,Qualification,લાયકાત DocType: Item Price,Item Price,વસ્તુ ભાવ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,સાબુ સફાઈકારક @@ -6867,7 +6869,6 @@ DocType: Customer,Customer Primary Contact,ગ્રાહક પ્રાથમ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,એસ.ટી. / લીડ% DocType: Bank Guarantee,Bank Account Info,બેન્ક એકાઉન્ટ માહિતી DocType: Bank Guarantee,Bank Guarantee Type,બેંક ગેરંટી પ્રકાર -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount. માન્યate_iban () માન્ય IBAN માટે નિષ્ફળ {} DocType: Payment Schedule,Invoice Portion,ઇન્વોઇસ ભાગ ,Asset Depreciations and Balances,એસેટ Depreciations અને બેલેન્સ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},રકમ {0} {1} માંથી તબદીલ {2} માટે {3} @@ -7178,6 +7179,7 @@ DocType: Service Level Agreement,Response and Resolution Time,પ્રતિસ DocType: Asset,Custodian,કસ્ટોડિયન apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,પોઇન્ટ ઓફ સેલ પ્રોફાઇલ apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} 0 અને 100 ની વચ્ચેનું મૂલ્ય હોવું જોઈએ +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,From Time cannot be later than To Time for {0},સમય બાદ સમય કરતાં ન હોઈ શકે માટે {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},{1} થી {2} સુધીની {0} ચુકવણી apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),અંદરની સપ્લાઇ રિવર્સ ચાર્જ માટે જવાબદાર છે (ઉપર 1 અને 2 સિવાય) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),ઓર્ડરની ખરીદીની રકમ (કંપની કરન્સી) @@ -7515,7 +7517,6 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The share DocType: Dosage Form,Dosage Form,ડોઝ ફોર્મ apps/erpnext/erpnext/config/buying.py,Price List master.,ભાવ યાદી માસ્ટર. DocType: Task,Review Date,સમીક્ષા તારીખ -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,તરીકે હાજરી માર્ક કરો DocType: BOM,Allow Alternative Item,વૈકલ્પિક વસ્તુને મંજૂરી આપો apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,ખરીદીની રસીદમાં એવી કોઈ આઇટમ હોતી નથી જેના માટે ફરીથી જાળવવાનો નમૂના સક્ષમ છે. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ભરતિયું ગ્રાન્ડ કુલ @@ -7564,6 +7565,8 @@ DocType: Landed Cost Item,Landed Cost Item,ઉતારેલ માલની apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,શૂન્ય કિંમતો બતાવો DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,આઇટમ જથ્થો કાચા માલના આપવામાં જથ્થામાં થી repacking / ઉત્પાદન પછી પ્રાપ્ત DocType: Lab Test,Test Group,ટેસ્ટ ગ્રુપ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",ઇશ્યૂ કરવાનું સ્થાન પર કરી શકાતું નથી. \ કૃપા કરીને એસેટ જારી કરનાર કર્મચારી દાખલ કરો {0} DocType: Service Level Agreement,Entity,એન્ટિટી DocType: Payment Reconciliation,Receivable / Payable Account,પ્રાપ્ત / ચૂકવવાપાત્ર એકાઉન્ટ DocType: Delivery Note Item,Against Sales Order Item,વેચાણ ઓર્ડર વસ્તુ સામે @@ -7738,7 +7741,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,મહત્તમ પુનઃપ્રયાસ મર્યાદા apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,ભાવ યાદી મળી અથવા અક્ષમ નથી DocType: Content Activity,Last Activity ,છેલ્લી પ્રવૃત્તિ -DocType: Student Applicant,Approved,મંજૂર DocType: Pricing Rule,Price,ભાવ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} સુયોજિત થયેલ હોવું જ જોઈએ પર રાહત કર્મચારી 'ડાબી' તરીકે DocType: Guardian,Guardian,ગાર્ડિયન @@ -7908,6 +7910,7 @@ DocType: Taxable Salary Slab,Percent Deduction,ટકા કપાત DocType: GL Entry,To Rename,નામ બદલવું DocType: Stock Entry,Repack,RePack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,સીરીયલ નંબર ઉમેરવા માટે પસંદ કરો. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,કૃપા કરીને શિક્ષણ> શિક્ષણ સેટિંગ્સમાં પ્રશિક્ષક નામકરણ સિસ્ટમ સેટ કરો apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',કૃપા કરીને ગ્રાહક '% s' માટે નાણાકીય કોડ સેટ કરો apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,કૃપા કરીને પ્રથમ કંપની પસંદ કરો DocType: Item Attribute,Numeric Values,આંકડાકીય મૂલ્યો @@ -7924,6 +7927,7 @@ DocType: Salary Detail,Additional Amount,વધારાની રકમ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,કાર્ટ ખાલી છે apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",આઇટમ {0} પાસે કોઈ સીરિયલ નંબર નથી. ફક્ત સીરીયલઆઇઝ થયેલ આઇટમ્સની સીરીયલ નંબર પર આધારિત ડિલિવરી હોઈ શકે છે +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,અવમૂલ્યન રકમ DocType: Vehicle,Model,મોડલ DocType: Work Order,Actual Operating Cost,વાસ્તવિક ઓપરેટિંગ ખર્ચ DocType: Payment Entry,Cheque/Reference No,ચેક / સંદર્ભ કોઈ diff --git a/erpnext/translations/he.csv b/erpnext/translations/he.csv index 00ae1a4efe..ecdaf3abbf 100644 --- a/erpnext/translations/he.csv +++ b/erpnext/translations/he.csv @@ -2089,7 +2089,6 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Coupon Code,Pricing Rule,כלל תמחור apps/erpnext/erpnext/controllers/selling_controller.py,To {0} | {1} {2},כדי {0} | {1} {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,קבע כאבוד -DocType: Student Applicant,Approved,אושר DocType: BOM,Raw Material Cost,עלות חומרי גלם DocType: Announcement,Posted By,פורסם על ידי DocType: BOM,Operating Cost,עלות הפעלה @@ -3096,7 +3095,7 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,ש DocType: Journal Entry,Debit Note,הערה חיוב DocType: Stock Entry Detail,Material Request used to make this Stock Entry,בקשת חומר המשמשת לייצור Stock רשומת זו DocType: Stock Settings,Item Naming By,פריט מתן שמות על ידי -DocType: Subscription,Net Total,"סה""כ נקי" +DocType: C-Form Invoice Detail,Net Total,"סה""כ נקי" ,Stock Ledger,יומן מלאי apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,המניה לא יכול להתקיים לפריט {0} שכן יש גרסאות apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,התעופה והחלל @@ -3260,7 +3259,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Le DocType: Packing Slip Item,DN Detail,פרט DN apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,החשבונאות לדג'ר DocType: Sales Invoice,Against Income Account,נגד חשבון הכנסות -DocType: Expense Claim,Approval Status,סטטוס אישור DocType: Quality Inspection,Readings,קריאות DocType: Lead,Channel Partner,Channel Partner DocType: Item Attribute Value,Item Attribute Value,פריט תכונה ערך diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv index 7177717bb3..0d6f0c5cfb 100644 --- a/erpnext/translations/hi.csv +++ b/erpnext/translations/hi.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,मानक कर छू DocType: Exchange Rate Revaluation Account,New Exchange Rate,नई विनिमय दर apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},मुद्रा मूल्य सूची के लिए आवश्यक है {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* लेनदेन में गणना की जाएगी. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन> HR सेटिंग्स में कर्मचारी नामकरण प्रणाली सेटअप करें DocType: Delivery Trip,MAT-DT-.YYYY.-,मेट-डीटी-.YYYY.- DocType: Purchase Order,Customer Contact,ग्राहक से संपर्क DocType: Shift Type,Enable Auto Attendance,ऑटो अटेंडेंस सक्षम करें @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,सभी आपूर्तिकर DocType: Support Settings,Support Settings,समर्थन सेटिंग apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},खाता {0} को बाल कंपनी में जोड़ा जाता है {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,अवैध प्रत्यय पत्र +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,घर से मार्क काम apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC उपलब्ध (पूर्ण ऑप भाग में) DocType: Amazon MWS Settings,Amazon MWS Settings,अमेज़ॅन MWS सेटिंग्स apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,प्रसंस्करण वाउचर @@ -406,7 +406,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,आइटम apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,सदस्यता विवरण apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: प्रदायक देय खाते के खिलाफ आवश्यक है {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,आइटम और मूल्य निर्धारण -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> क्षेत्र apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},कुल घंटे: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},दिनांक से वित्तीय वर्ष के भीतर होना चाहिए. दिनांक से मान लिया जाये = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,उच्च स्तरीय समिति-PMR-.YYYY.- @@ -453,7 +452,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,चयनित विकल्प DocType: SG Creation Tool Course,SG Creation Tool Course,एसजी निर्माण उपकरण कोर्स DocType: Bank Statement Transaction Invoice Item,Payment Description,भुगतान का विवरण -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,कृपया सेटिंग> सेटिंग> नामकरण श्रृंखला के माध्यम से {0} के लिए नामकरण श्रृंखला निर्धारित करें apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,अपर्याप्त स्टॉक DocType: Email Digest,New Sales Orders,नई बिक्री आदेश DocType: Bank Account,Bank Account,बैंक खाता @@ -772,6 +770,7 @@ DocType: Request for Quotation,Request for Quotation,उद्धरण के DocType: Healthcare Settings,Require Lab Test Approval,लैब टेस्ट अनुमोदन की आवश्यकता है DocType: Attendance,Working Hours,कार्य के घंटे apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,कुल बकाया +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM रूपांतरण कारक ({0} -> {1}) आइटम के लिए नहीं मिला: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,एक मौजूदा श्रृंखला के शुरू / वर्तमान अनुक्रम संख्या बदलें. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,प्रतिशत आपको आदेश दी गई राशि के मुकाबले अधिक बिल करने की अनुमति है। उदाहरण के लिए: यदि किसी वस्तु के लिए ऑर्डर मूल्य $ 100 है और सहिष्णुता 10% के रूप में सेट की जाती है तो आपको $ 110 का बिल करने की अनुमति है। DocType: Dosage Strength,Strength,शक्ति @@ -1259,7 +1258,6 @@ DocType: Timesheet,Total Billed Hours,कुल बिल घंटे DocType: Pricing Rule Item Group,Pricing Rule Item Group,मूल्य निर्धारण नियम आइटम समूह DocType: Travel Itinerary,Travel To,को यात्रा apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,एक्सचेंज रेट रिवैल्यूएशन मास्टर। -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> नंबरिंग श्रृंखला के माध्यम से उपस्थिति के लिए क्रमांकन श्रृंखला की स्थापना करें apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,बंद राशि लिखें DocType: Leave Block List Allow,Allow User,उपयोगकर्ता की अनुमति DocType: Journal Entry,Bill No,विधेयक नहीं @@ -1631,6 +1629,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,प्रोत्साहन apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,सिंक से बाहर का मूल्य apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,अंतर मूल्य +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> नंबरिंग श्रृंखला के माध्यम से उपस्थिति के लिए क्रमांकन श्रृंखला की स्थापना करें DocType: SMS Log,Requested Numbers,अनुरोधित नंबर DocType: Volunteer,Evening,शाम DocType: Quiz,Quiz Configuration,प्रश्नोत्तरी विन्यास @@ -1798,6 +1797,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,जगह DocType: Student Admission,Publish on website,वेबसाइट पर प्रकाशित करें apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,आपूर्तिकर्ता चालान दिनांक पोस्ट दिनांक से बड़ा नहीं हो सकता है DocType: Installation Note,MAT-INS-.YYYY.-,मेट-आईएनएस-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आइटम कोड> आइटम समूह> ब्रांड DocType: Subscription,Cancelation Date,रद्द करने की तारीख DocType: Purchase Invoice Item,Purchase Order Item,खरीद आदेश आइटम DocType: Agriculture Task,Agriculture Task,कृषि कार्य @@ -2398,7 +2398,6 @@ DocType: Promotional Scheme,Product Discount Slabs,उत्पाद डिस DocType: Target Detail,Target Distribution,लक्ष्य वितरण DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 अस्थायी मूल्यांकन का अंतिम रूप देना apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,आयात पार्टियों और पते -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM रूपांतरण कारक ({0} -> {1}) आइटम के लिए नहीं मिला: {2} DocType: Salary Slip,Bank Account No.,बैंक खाता नहीं DocType: Naming Series,This is the number of the last created transaction with this prefix,यह इस उपसर्ग के साथ पिछले बनाई गई लेन - देन की संख्या DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2791,6 +2790,9 @@ DocType: Company,Default Holiday List,छुट्टियों की सू DocType: Pricing Rule,Supplier Group,आपूर्तिकर्ता समूह apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} डाइजेस्ट apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},पंक्ति {0}: से समय और के समय {1} के साथ अतिव्यापी है {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",{0} नाम वाला एक BOM पहले से ही आइटम {1} के लिए मौजूद है।
क्या आपने आइटम का नाम बदला? कृपया प्रशासक / तकनीकी सहायता से संपर्क करें apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,शेयर देयताएं DocType: Purchase Invoice,Supplier Warehouse,प्रदायक वेअरहाउस DocType: Opportunity,Contact Mobile No,मोबाइल संपर्क नहीं @@ -3233,6 +3235,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,मेट-क्यूए-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,गुणवत्ता बैठक की मेज apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,मंचों पर जाएं +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,पूर्ण कार्य {0} को निर्भर नहीं कर सकता क्योंकि उसके आश्रित कार्य {1} को अपूर्ण / रद्द नहीं किया गया है। DocType: Student,Student Mobile Number,छात्र मोबाइल नंबर DocType: Item,Has Variants,वेरिएंट है DocType: Employee Benefit Claim,Claim Benefit For,दावा लाभ के लिए @@ -3392,7 +3395,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),कुल बिलिंग apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,शुल्क अनुसूची बनाएँ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,दोहराने ग्राहक राजस्व DocType: Soil Texture,Silty Clay Loam,सिल्ती क्ले लोम -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षा> शिक्षा सेटिंग्स में इंस्ट्रक्टर नामकरण प्रणाली सेटअप करें DocType: Quiz,Enter 0 to waive limit,सीमा को छूट देने के लिए 0 दर्ज करें DocType: Bank Statement Settings,Mapped Items,मैप किए गए आइटम DocType: Amazon MWS Settings,IT,आईटी @@ -3424,7 +3426,6 @@ apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depr ,Maintenance Schedules,रखरखाव अनुसूचियों DocType: Pricing Rule,Apply Rule On Brand,ब्रांड पर नियम लागू करें DocType: Task,Actual End Date (via Time Sheet),वास्तविक अंत तिथि (समय पत्रक के माध्यम से) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,कार्य को बंद नहीं किया जा सकता {0} क्योंकि इसका आश्रित कार्य {1} बंद नहीं है। DocType: Soil Texture,Soil Type,मिट्टी के प्रकार apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},राशि {0} {1} के खिलाफ {2} {3} ,Quotation Trends,कोटेशन रुझान @@ -3454,6 +3455,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,स्व-ड्राइवि DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,आपूर्तिकर्ता स्कोरकार्ड स्थायी apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},पंक्ति {0}: सामग्री का बिल मद के लिए नहीं मिला {1} DocType: Contract Fulfilment Checklist,Requirement,आवश्यकता +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन> HR सेटिंग्स में कर्मचारी नामकरण प्रणाली सेटअप करें DocType: Journal Entry,Accounts Receivable,लेखा प्राप्य DocType: Quality Goal,Objectives,उद्देश्य DocType: HR Settings,Role Allowed to Create Backdated Leave Application,रोल बैकडेटेड लीव एप्लीकेशन बनाने की अनुमति है @@ -3595,6 +3597,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,आवेदन किया है apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,आउटवर्ड आपूर्ति और आवक आपूर्ति का विवरण रिवर्स चार्ज के लिए उत्तरदायी है apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,पुनः खुला +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,अनुमति नहीं। कृपया लैब टेस्ट टेम्पलेट को अक्षम करें DocType: Sales Invoice Item,Qty as per Stock UOM,मात्रा स्टॉक UOM के अनुसार apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 नाम apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,रूट कंपनी @@ -3653,6 +3656,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,व्यापार का प्रकार DocType: Sales Invoice,Consumer,उपभोक्ता apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","कम से कम एक पंक्ति में आवंटित राशि, प्रकार का चालान और चालान नंबर का चयन करें" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,कृपया सेटिंग> सेटिंग> नामकरण श्रृंखला के माध्यम से {0} के लिए नामकरण श्रृंखला निर्धारित करें apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,नई खरीद की लागत apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},आइटम के लिए आवश्यक बिक्री आदेश {0} DocType: Grant Application,Grant Description,अनुदान विवरण @@ -3678,7 +3682,6 @@ DocType: Payment Request,Transaction Details,लेनदेन का विव apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,अनुसूची पाने के लिए 'उत्पन्न अनुसूची' पर क्लिक करें DocType: Item,"Purchase, Replenishment Details","खरीद, प्रतिकृति विवरण" DocType: Products Settings,Enable Field Filters,फ़ील्ड फ़िल्टर सक्षम करें -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आइटम कोड> आइटम समूह> ब्रांड apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","ग्राहक प्रदान किया गया आइटम" भी आइटम नहीं खरीदा जा सकता है DocType: Blanket Order Item,Ordered Quantity,आदेशित मात्रा apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",उदाहरणार्थ @@ -4148,7 +4151,7 @@ DocType: BOM,Operating Cost (Company Currency),परिचालन लाग DocType: Authorization Rule,Applicable To (Role),के लिए लागू (रोल) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,लंबित पत्तियां DocType: BOM Update Tool,Replace BOM,BOM को बदलें -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,कोड {0} पहले से मौजूद है +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,कोड {0} पहले से मौजूद है DocType: Patient Encounter,Procedures,प्रक्रियाएं apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,बिक्री के आदेश उत्पादन के लिए उपलब्ध नहीं हैं DocType: Asset Movement,Purpose,उद्देश्य @@ -4264,6 +4267,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,कर्मचारी DocType: Warranty Claim,Service Address,सेवा पता apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,मास्टर डेटा आयात करें DocType: Asset Maintenance Task,Calibration,कैलिब्रेशन +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,लैब टेस्ट आइटम {0} पहले से मौजूद है apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} कंपनी की छुट्टी है apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,जमानती घंटे apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,स्टेटस अधिसूचना छोड़ दें @@ -4626,7 +4630,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,वेतन रजिस्टर DocType: Company,Default warehouse for Sales Return,बिक्री रिटर्न के लिए डिफ़ॉल्ट गोदाम DocType: Pick List,Parent Warehouse,जनक गोदाम -DocType: Subscription,Net Total,शुद्ध जोड़ +DocType: C-Form Invoice Detail,Net Total,शुद्ध जोड़ apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","आइटम की शेल्फ लाइफ को दिनों में सेट करें, मैन्युफैक्चरिंग डेट और शेल्फ लाइफ के आधार पर एक्सपायरी सेट करने के लिए।" apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},आइटम {0} और प्रोजेक्ट {1} के लिए डिफ़ॉल्ट BOM नहीं मिला apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,पंक्ति {0}: कृपया भुगतान अनुसूची में भुगतान का तरीका निर्धारित करें @@ -4741,7 +4745,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},लक्ष्य गोदाम पंक्ति के लिए अनिवार्य है {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,खुदरा व्यापार संचालन DocType: Cheque Print Template,Primary Settings,प्राथमिक सेटिंग -DocType: Attendance Request,Work From Home,घर से काम +DocType: Attendance,Work From Home,घर से काम DocType: Purchase Invoice,Select Supplier Address,प्रदायक पते का चयन apps/erpnext/erpnext/public/js/event.js,Add Employees,कर्मचारियों को जोड़ने DocType: Purchase Invoice Item,Quality Inspection,गुणवत्ता निरीक्षण @@ -4983,8 +4987,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,प्रमाणीकरण यूआरएल apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},राशि {0} {1} {2} {3} DocType: Account,Depreciation,ह्रास -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","कृपया इस दस्तावेज़ को रद्द करने के लिए कर्मचारी {0} \ _ हटाएं" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,शेयरों की संख्या और शेयर संख्याएं असंगत हैं apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),प्रदायक (ओं) DocType: Employee Attendance Tool,Employee Attendance Tool,कर्मचारी उपस्थिति उपकरण @@ -5289,7 +5291,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,संयंत्र DocType: Cheque Print Template,Cheque Height,चैक ऊंचाई DocType: Supplier,Supplier Details,आपूर्तिकर्ता विवरण DocType: Setup Progress,Setup Progress,सेटअप प्रगति -DocType: Expense Claim,Approval Status,स्वीकृति स्थिति apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},मूल्य से पंक्ति में मान से कम होना चाहिए {0} DocType: Program,Intro Video,इंट्रो वीडियो DocType: Manufacturing Settings,Default Warehouses for Production,उत्पादन के लिए डिफ़ॉल्ट गोदाम @@ -5630,7 +5631,6 @@ DocType: Purchase Invoice,Rounded Total,गोल कुल apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} के लिए स्लॉट शेड्यूल में नहीं जोड़े गए हैं DocType: Product Bundle,List items that form the package.,सूची आइटम है कि पैकेज का फार्म. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},एसेट {0} स्थानांतरित करते समय लक्ष्य स्थान आवश्यक है -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,अनुमति नहीं। टेस्ट टेम्प्लेट को अक्षम करें DocType: Sales Invoice,Distance (in km),दूरी (किमी में) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,प्रतिशत आवंटन 100 % के बराबर होना चाहिए apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,कृपया पार्टी के चयन से पहले पोस्ट दिनांक का चयन @@ -5760,7 +5760,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,मूल्य सूची विनिमय दर apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,सभी प्रदायक समूह DocType: Employee Boarding Activity,Required for Employee Creation,कर्मचारी निर्माण के लिए आवश्यक है -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,आपूर्तिकर्ता> आपूर्तिकर्ता प्रकार apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},खाता संख्या {0} पहले से ही खाते में उपयोग की गई {1} DocType: GoCardless Mandate,Mandate,शासनादेश DocType: Hotel Room Reservation,Booked,बुक्ड @@ -5826,7 +5825,6 @@ DocType: Production Plan Item,Product Bundle Item,उत्पाद बंड DocType: Sales Partner,Sales Partner Name,बिक्री भागीदार नाम apps/erpnext/erpnext/hooks.py,Request for Quotations,कोटेशन के लिए अनुरोध DocType: Payment Reconciliation,Maximum Invoice Amount,अधिकतम चालान राशि -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,खाली IBAN के लिए BankAccount.validate_iban () विफल रहा DocType: Normal Test Items,Normal Test Items,सामान्य टेस्ट आइटम DocType: QuickBooks Migrator,Company Settings,कंपनी सेटिंग्स DocType: Additional Salary,Overwrite Salary Structure Amount,वेतन संरचना राशि ओवरराइट करें @@ -5977,6 +5975,7 @@ DocType: Issue,Resolution By Variance,वारिस द्वारा सं DocType: Leave Allocation,Leave Period,अवधि छोड़ो DocType: Item,Default Material Request Type,डिफ़ॉल्ट सामग्री अनुरोध प्रकार DocType: Supplier Scorecard,Evaluation Period,मूल्यांकन अवधि +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> क्षेत्र apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,अनजान apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,कार्य आदेश नहीं बनाया गया apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6335,8 +6334,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,सी DocType: Material Request Plan Item,Required Quantity,आवश्यक मात्रा DocType: Lab Test Template,Lab Test Template,लैब टेस्ट टेम्पलेट apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},लेखांकन अवधि {0} के साथ ओवरलैप होती है +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,आपूर्तिकर्ता> आपूर्तिकर्ता प्रकार apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,विक्रय खाता DocType: Purchase Invoice Item,Total Weight,कुल वजन +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","कृपया इस दस्तावेज़ को रद्द करने के लिए कर्मचारी {0} \ _ हटाएं" DocType: Pick List Item,Pick List Item,सूची आइटम चुनें apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,बिक्री पर कमीशन DocType: Job Offer Term,Value / Description,मूल्य / विवरण @@ -6451,6 +6453,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,पर हस्ताक्षर किए DocType: Bank Account,Party Type,पार्टी के प्रकार DocType: Discounted Invoice,Discounted Invoice,डिस्काउंटेड इनवॉइस +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,मार्क उपस्थिति के रूप में DocType: Payment Schedule,Payment Schedule,भुगतान अनुसूची apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},दिए गए कर्मचारी फ़ील्ड मान के लिए कोई कर्मचारी नहीं मिला। '{}': {} DocType: Item Attribute Value,Abbreviation,संक्षिप्त @@ -6552,7 +6555,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,पकड़ने के DocType: Employee,Personal Email,व्यक्तिगत ईमेल apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,कुल विचरण DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","यदि सक्रिय है, प्रणाली स्वतः सूची के लिए लेखांकन प्रविष्टियों के बाद होगा." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () अमान्य IBAN {} स्वीकृत apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,दलाली apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,कर्मचारी {0} के लिए उपस्थिति पहले से ही इस दिन के लिए चिह्नित किया गया है DocType: Work Order Operation,"in Minutes @@ -6823,6 +6825,7 @@ DocType: Appointment,Customer Details,ग्राहक विवरण apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,आईआरएस 1099 फॉर्म प्रिंट करें DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,जांच करें कि संपत्ति को निवारक रखरखाव या अंशांकन की आवश्यकता है या नहीं apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,कंपनी का संक्षिप्त विवरण 5 अक्षरों से अधिक नहीं हो सकता है +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,मूल कंपनी एक समूह कंपनी होनी चाहिए DocType: Employee,Reports to,करने के लिए रिपोर्ट ,Unpaid Expense Claim,अवैतनिक व्यय दावा DocType: Payment Entry,Paid Amount,राशि भुगतान @@ -6910,6 +6913,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,ऑप गणना apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,दोनों परीक्षण अवधि प्रारंभ तिथि और परीक्षण अवधि समाप्ति तिथि निर्धारित की जानी चाहिए apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,सामान्य दर +DocType: Appointment,Appointment With,इनके साथ अपॉइंटमेंट apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,भुगतान शेड्यूल में कुल भुगतान राशि ग्रैंड / गोल की कुल राशि के बराबर होनी चाहिए apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","ग्राहक प्रदान की गई वस्तु" में मूल्यांकन दर नहीं हो सकती है DocType: Subscription Plan Detail,Plan,योजना @@ -7042,7 +7046,6 @@ DocType: Customer,Customer Primary Contact,ग्राहक प्राथम apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / लीड% DocType: Bank Guarantee,Bank Account Info,बैंक खाता जानकारी DocType: Bank Guarantee,Bank Guarantee Type,बैंक गारंटी प्रकार -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () मान्य IBAN {} के लिए विफल DocType: Payment Schedule,Invoice Portion,चालान का हिस्सा ,Asset Depreciations and Balances,एसेट depreciations और शेष apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},राशि {0} {1} से स्थानांतरित {2} को {3} @@ -7706,7 +7709,6 @@ DocType: Dosage Form,Dosage Form,खुराक की अवस्था apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},अभियान {0} में अभियान अनुसूची निर्धारित करें apps/erpnext/erpnext/config/buying.py,Price List master.,मूल्य सूची मास्टर . DocType: Task,Review Date,तिथि की समीक्षा -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,मार्क उपस्थिति के रूप में DocType: BOM,Allow Alternative Item,वैकल्पिक आइटम की अनुमति दें apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,खरीद रसीद में कोई भी आइटम नहीं है जिसके लिए रिटेन नमूना सक्षम है। apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,इनवॉइस ग्रैंड टोटल @@ -7934,7 +7936,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,मैक्स रीट्री सीमा apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,मूल्य सूची पाया या निष्क्रिय नहीं DocType: Content Activity,Last Activity ,आख़िरी गतिविधि -DocType: Student Applicant,Approved,अनुमोदित DocType: Pricing Rule,Price,कीमत apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} को राहत मिली कर्मचारी 'वाम ' के रूप में स्थापित किया जाना चाहिए DocType: Guardian,Guardian,अभिभावक @@ -8105,6 +8106,7 @@ DocType: Taxable Salary Slab,Percent Deduction,प्रतिशत कटौ DocType: GL Entry,To Rename,का नाम बदला DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,सीरियल नंबर जोड़ने के लिए चयन करें। +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षा> शिक्षा सेटिंग्स में इंस्ट्रक्टर नामकरण प्रणाली सेटअप करें apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',कृपया ग्राहक '% s' के लिए राजकोषीय कोड सेट करें apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,कृपया पहले कंपनी का चयन करें DocType: Item Attribute,Numeric Values,संख्यात्मक मान @@ -8121,6 +8123,7 @@ DocType: Salary Detail,Additional Amount,अतिरिक्त राशि apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,कार्ट खाली है apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",आइटम {0} में कोई सीरियल नंबर नहीं है केवल सीरियललाइज्ड आइटम \ सीरियल नंबर के आधार पर डिलीवरी कर सकते हैं +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,मूल्यह्रास राशि DocType: Vehicle,Model,आदर्श DocType: Work Order,Actual Operating Cost,वास्तविक ऑपरेटिंग कॉस्ट DocType: Payment Entry,Cheque/Reference No,चैक / संदर्भ नहीं diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv index db652a0702..750c8f506f 100644 --- a/erpnext/translations/hr.csv +++ b/erpnext/translations/hr.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Standardni iznos oslobođe DocType: Exchange Rate Revaluation Account,New Exchange Rate,Novi tečaj apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Valuta je potrebna za cjenik {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Bit će izračunata u transakciji. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sustav imenovanja zaposlenika u Ljudski resursi> HR postavke DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Kupac Kontakt DocType: Shift Type,Enable Auto Attendance,Omogući automatsku posjetu @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Svi kontakti dobavljača DocType: Support Settings,Support Settings,Postavke za podršku apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Račun {0} dodaje se u podružnici tvrtke {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Nevažeće vjerodajnice +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Označi rad od kuće apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),Dostupan ITC (bilo u cijelom op. Dijelu) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS postavke apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Obrada bonova @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Iznos poreza na apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Pojedinosti o članstvu apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: potreban Dobavljač u odnosu na plativi račun{2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Stavke i cijene -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> Grupa kupaca> Teritorij apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Ukupno vrijeme: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Od datuma trebao biti u fiskalnoj godini. Uz pretpostavku Od datuma = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,FHP-PMR-.YYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Odabrana opcija DocType: SG Creation Tool Course,SG Creation Tool Course,Tečaj SG alat za izradu DocType: Bank Statement Transaction Invoice Item,Payment Description,Opis plaćanja -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Postavite Nameing Series za {0} putem Postavke> Postavke> Imenovanje serija apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,nedovoljna Stock DocType: Email Digest,New Sales Orders,Nove narudžbenice DocType: Bank Account,Bank Account,Žiro račun @@ -774,6 +772,7 @@ DocType: Request for Quotation,Request for Quotation,Zahtjev za ponudu DocType: Healthcare Settings,Require Lab Test Approval,Potrebno odobrenje laboratorijskog ispitivanja DocType: Attendance,Working Hours,Radnih sati apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Ukupno izvanredno +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverzije UOM ({0} -> {1}) nije pronađen za stavku: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Promjena polaznu / tekući redni broj postojeće serije. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Postotak koji vam dopušta naplatu više u odnosu na naručeni iznos. Na primjer: Ako je vrijednost narudžbe za artikl 100 USD, a tolerancija postavljena na 10%, tada vam je dopušteno naplaćivanje 110 USD." DocType: Dosage Strength,Strength,snaga @@ -1262,7 +1261,6 @@ DocType: Timesheet,Total Billed Hours,Ukupno Naplaćene sati DocType: Pricing Rule Item Group,Pricing Rule Item Group,Skupina stavki pravila o cijenama DocType: Travel Itinerary,Travel To,Putovati u apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Master master revalorizacije tečaja -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Postavite brojevnu seriju za Attendance putem Postavljanje> Numeriranje serija apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Napišite paušalni iznos DocType: Leave Block List Allow,Allow User,Dopusti korisnika DocType: Journal Entry,Bill No,Bill Ne @@ -1634,6 +1632,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Poticaji apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Vrijednosti nisu sinkronizirane apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Vrijednost razlike +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Postavite brojevnu seriju za Attendance putem Postavljanje> Numeriranje serija DocType: SMS Log,Requested Numbers,Traženi brojevi DocType: Volunteer,Evening,Večer DocType: Quiz,Quiz Configuration,Konfiguracija kviza @@ -1801,6 +1800,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Od mjesta DocType: Student Admission,Publish on website,Objavi na web stranici apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Datum Dobavljač Račun ne može biti veća od datum knjiženja DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod artikla> Grupa artikala> Marka DocType: Subscription,Cancelation Date,Datum otkazivanja DocType: Purchase Invoice Item,Purchase Order Item,Stavka narudžbenice DocType: Agriculture Task,Agriculture Task,Zadatak poljoprivrede @@ -2401,7 +2401,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Ploče s popustom na proizvod DocType: Target Detail,Target Distribution,Ciljana Distribucija DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalizacija privremene procjene apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Uvoz stranaka i adresa -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverzije UOM ({0} -> {1}) nije pronađen za stavku: {2} DocType: Salary Slip,Bank Account No.,Žiro račun broj DocType: Naming Series,This is the number of the last created transaction with this prefix,To je broj zadnjeg stvorio transakcije s ovim prefiksom DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2794,6 +2793,9 @@ DocType: Company,Default Holiday List,Default odmor List DocType: Pricing Rule,Supplier Group,Grupa dobavljača apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Red {0}: S vremena i na vrijeme od {1} je preklapanje s {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",Za stavku {1} već postoji BOM s nazivom {0}.
Jeste li preimenovali predmet? Molimo kontaktirajte administratora / tehničku podršku apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Stock Obveze DocType: Purchase Invoice,Supplier Warehouse,Dobavljač galerija DocType: Opportunity,Contact Mobile No,Kontak GSM @@ -3235,6 +3237,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Stol za sastanke o kvaliteti apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Posjetite forume +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Ne mogu dovršiti zadatak {0} jer njegov ovisni zadatak {1} nije dovršen / otkazan. DocType: Student,Student Mobile Number,Studentski broj mobitela DocType: Item,Has Variants,Je Varijante DocType: Employee Benefit Claim,Claim Benefit For,Zatražite korist od @@ -3394,7 +3397,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Ukupan iznos za naplatu (pre apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Kreirajte raspored naknada apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Ponovite kupaca prihoda DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Postavite sustav imenovanja instruktora u Obrazovanje> Postavke obrazovanja DocType: Quiz,Enter 0 to waive limit,Unesite 0 za odricanje od ograničenja DocType: Bank Statement Settings,Mapped Items,Mapped Items DocType: Amazon MWS Settings,IT,TO @@ -3428,7 +3430,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Nema dovoljno stvorenih sredstava ili povezanih sa {0}. \ Molimo stvorite ili povežite {1} Imovina s odgovarajućim dokumentom. DocType: Pricing Rule,Apply Rule On Brand,Primijeni pravilo na marku DocType: Task,Actual End Date (via Time Sheet),Stvarni Datum završetka (putem vremenska tablica) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Zadatak se ne može zatvoriti {0} jer njegov ovisni zadatak {1} nije zatvoren. DocType: Soil Texture,Soil Type,Vrsta tla apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Iznos {0} {1} od {2} {3} ,Quotation Trends,Trend ponuda @@ -3458,6 +3459,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Vozila samostojećih DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Stalna ocjena dobavljača apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Redak {0}: broj materijala koji nije pronađen za stavku {1} DocType: Contract Fulfilment Checklist,Requirement,Zahtjev +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sustav imenovanja zaposlenika u Ljudski resursi> HR postavke DocType: Journal Entry,Accounts Receivable,Potraživanja DocType: Quality Goal,Objectives,Ciljevi DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Uloga je dopuštena za kreiranje sigurnosne aplikacije za odlazak @@ -3599,6 +3601,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,primijenjen apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Pojedinosti o vanjskim potrepštinama i unutarnjim zalihama koje mogu podnijeti povratno punjenje apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Ponovno otvorena +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Nije dopušteno. Onemogućite predložak laboratorijskog testa DocType: Sales Invoice Item,Qty as per Stock UOM,Količina po skladišnom UOM-u apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Ime Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3657,6 +3660,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Vrsta poslovanja DocType: Sales Invoice,Consumer,Potrošač apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Odaberite Dodijeljeni iznos, Vrsta računa i broj računa u atleast jednom redu" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Postavite Nameing Series za {0} putem Postavke> Postavke> Imenovanje serija apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Trošak kupnje novog apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Prodajnog naloga potrebna za točke {0} DocType: Grant Application,Grant Description,Opis potpore @@ -3682,7 +3686,6 @@ DocType: Payment Request,Transaction Details,detalji transakcije apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"Molimo kliknite na ""Generiraj raspored ' kako bi dobili raspored" DocType: Item,"Purchase, Replenishment Details","Pojedinosti o kupnji, dopuni" DocType: Products Settings,Enable Field Filters,Omogući filtre polja -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod artikla> Grupa artikala> Marka apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","Kupčev predmet" također ne može biti predmet kupnje DocType: Blanket Order Item,Ordered Quantity,Naručena količina apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","na primjer ""Alati za graditelje""" @@ -4151,7 +4154,7 @@ DocType: BOM,Operating Cost (Company Currency),Operativni trošak (Društvo valu DocType: Authorization Rule,Applicable To (Role),Odnosi se na (uloga) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Na čekanju ostavlja DocType: BOM Update Tool,Replace BOM,Zamijenite BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kod {0} već postoji +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kod {0} već postoji DocType: Patient Encounter,Procedures,Postupci apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Narudžbe za prodaju nisu dostupne za proizvodnju DocType: Asset Movement,Purpose,Svrha @@ -4267,6 +4270,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Zanemari vrijeme preklap DocType: Warranty Claim,Service Address,Usluga Adresa apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Uvoz glavnih podataka DocType: Asset Maintenance Task,Calibration,Kalibriranje +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Predmet laboratorijskog testa {0} već postoji apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} je praznik tvrtke apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Sati naplate apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Pusti status obavijesti @@ -4629,7 +4633,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,Plaća Registracija DocType: Company,Default warehouse for Sales Return,Zadano skladište za povrat prodaje DocType: Pick List,Parent Warehouse,Roditelj Skladište -DocType: Subscription,Net Total,Osnovica +DocType: C-Form Invoice Detail,Net Total,Osnovica apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Postavite rok trajanja artikala u danima kako biste postavili rok upotrebe na temelju datuma proizvodnje plus rok trajanja. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Zadani BOM nije pronađen za stavku {0} i projekt {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Redak {0}: Postavite Način plaćanja u Raspored plaćanja @@ -4744,7 +4748,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target skladište je obvezno za redom {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Trgovina na malo DocType: Cheque Print Template,Primary Settings,Primarne postavke -DocType: Attendance Request,Work From Home,Rad od kuće +DocType: Attendance,Work From Home,Rad od kuće DocType: Purchase Invoice,Select Supplier Address,Odaberite Dobavljač adresa apps/erpnext/erpnext/public/js/event.js,Add Employees,Dodavanje zaposlenika DocType: Purchase Invoice Item,Quality Inspection,Provjera kvalitete @@ -4986,8 +4990,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL za autorizaciju apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Iznos {0} {1} {2} {3} DocType: Account,Depreciation,Amortizacija -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Izbrišite zaposlenika {0} \ da biste otkazali ovaj dokument" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Broj dionica i brojeva udjela nedosljedni su apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Dobavljač (s) DocType: Employee Attendance Tool,Employee Attendance Tool,Sudjelovanje zaposlenika alat @@ -5292,7 +5294,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kriteriji analize bilja DocType: Cheque Print Template,Cheque Height,Ček Visina DocType: Supplier,Supplier Details,Dobavljač Detalji DocType: Setup Progress,Setup Progress,Postavi napredak -DocType: Expense Claim,Approval Status,Status odobrenja apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Od vrijednosti mora biti manje nego vrijednosti u redu {0} DocType: Program,Intro Video,Intro video DocType: Manufacturing Settings,Default Warehouses for Production,Zadana skladišta za proizvodnju @@ -5633,7 +5634,6 @@ DocType: Purchase Invoice,Rounded Total,Zaokruženi iznos apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Mjesta za {0} ne dodaju se u raspored DocType: Product Bundle,List items that form the package.,Popis stavki koje čine paket. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Ciljana lokacija potrebna je tijekom prijenosa imovine {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nije dopušteno. Onemogućite predložak testa DocType: Sales Invoice,Distance (in km),Udaljenost (u km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Postotak izdvajanja mora biti 100 % apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Odaberite datum knjiženja prije odabira stranku @@ -5763,7 +5763,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Tečaj cjenika apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Sve grupe dobavljača DocType: Employee Boarding Activity,Required for Employee Creation,Obavezno za stvaranje zaposlenika -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> vrsta dobavljača apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Broj računa {0} već se koristi u računu {1} DocType: GoCardless Mandate,Mandate,Mandat DocType: Hotel Room Reservation,Booked,rezerviran @@ -5829,7 +5828,6 @@ DocType: Production Plan Item,Product Bundle Item,Proizvod bala predmeta DocType: Sales Partner,Sales Partner Name,Naziv prodajnog partnera apps/erpnext/erpnext/hooks.py,Request for Quotations,Zahtjev za dostavljanje ponuda DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimalna Iznos dostavnice -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () nije uspio za prazan IBAN DocType: Normal Test Items,Normal Test Items,Normalno ispitne stavke DocType: QuickBooks Migrator,Company Settings,Tvrtka Postavke DocType: Additional Salary,Overwrite Salary Structure Amount,Prebriši iznos strukture plaće @@ -5980,6 +5978,7 @@ DocType: Issue,Resolution By Variance,Rezolucija po varijanti DocType: Leave Allocation,Leave Period,Ostavite razdoblje DocType: Item,Default Material Request Type,Zadana Materijal Vrsta zahtjeva DocType: Supplier Scorecard,Evaluation Period,Razdoblje procjene +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> Grupa kupaca> Teritorij apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,nepoznat apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Radni nalog nije izrađen apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6338,8 +6337,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serijski DocType: Material Request Plan Item,Required Quantity,Potrebna količina DocType: Lab Test Template,Lab Test Template,Predložak testa laboratorija apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Računovodstveno razdoblje se preklapa s {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> vrsta dobavljača apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Račun prodaje DocType: Purchase Invoice Item,Total Weight,Totalna tezina +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Izbrišite zaposlenika {0} \ da biste otkazali ovaj dokument" DocType: Pick List Item,Pick List Item,Odaberi stavku popisa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisija za prodaju DocType: Job Offer Term,Value / Description,Vrijednost / Opis @@ -6454,6 +6456,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Potpisan DocType: Bank Account,Party Type,Tip stranke DocType: Discounted Invoice,Discounted Invoice,Račun s popustom +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Označi prisustvo kao DocType: Payment Schedule,Payment Schedule,Raspored plaćanja apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Za određenu vrijednost polja zaposlenika nije pronađen nijedan zaposlenik. '{}': {} DocType: Item Attribute Value,Abbreviation,Skraćenica @@ -6555,7 +6558,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Razlog za stavljanje na če DocType: Employee,Personal Email,Osobni email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Ukupne varijance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ako je omogućeno, sustav će objaviti računovodstvene stavke za popis automatski." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () prihvatio nevaljanu IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Posredništvo apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Gledatelja za zaposlenika {0} već označena za ovaj dan DocType: Work Order Operation,"in Minutes @@ -6826,6 +6828,7 @@ DocType: Appointment,Customer Details,Korisnički podaci apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Ispiši obrasce IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Provjerite zahtijeva li Asset preventivno održavanje ili umjeravanje apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Kratica tvrtke ne može imati više od 5 znakova +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Matično društvo mora biti tvrtka u grupi DocType: Employee,Reports to,Izvješća ,Unpaid Expense Claim,Neplaćeni Rashodi Zatraži DocType: Payment Entry,Paid Amount,Plaćeni iznos @@ -6913,6 +6916,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Count Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Moraju biti postavljeni datum početka datuma probnog razdoblja i datum završetka probnog razdoblja apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Prosječna stopa +DocType: Appointment,Appointment With,Sastanak s apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Ukupni iznos plaćanja u rasporedu plaćanja mora biti jednak Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Stavka opskrbljena kupcem" ne može imati stopu vrednovanja DocType: Subscription Plan Detail,Plan,Plan @@ -7045,7 +7049,6 @@ DocType: Customer,Customer Primary Contact,Primarni kontakt korisnika apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Podaci o bankovnom računu DocType: Bank Guarantee,Bank Guarantee Type,Vrsta bankarskog jamstva -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () nije uspio za važeći IBAN {} DocType: Payment Schedule,Invoice Portion,Dio dostavnice ,Asset Depreciations and Balances,Imovine deprecijacije i sredstva apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Iznos {0} {1} prenesen iz {2} u {3} @@ -7709,7 +7712,6 @@ DocType: Dosage Form,Dosage Form,Oblik doziranja apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Postavite Raspored kampanje u kampanji {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Glavni cjenik. DocType: Task,Review Date,Recenzija Datum -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Označi prisustvo kao DocType: BOM,Allow Alternative Item,Dopusti alternativnu stavku apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Kupnja potvrde nema stavku za koju je omogućen zadržati uzorak. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktura ukupno @@ -7937,7 +7939,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Maksimalni pokušaj ponovnog pokušaja apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Cjenik nije pronađen DocType: Content Activity,Last Activity ,Zadnja aktivnost -DocType: Student Applicant,Approved,Odobren DocType: Pricing Rule,Price,Cijena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Zaposlenik razriješen na {0} mora biti postavljen kao 'lijevo ' DocType: Guardian,Guardian,Čuvar @@ -8108,6 +8109,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Postotak odbitka DocType: GL Entry,To Rename,Za preimenovanje DocType: Stock Entry,Repack,Prepakiraj apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Odaberite za dodavanje serijskog broja. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Postavite sustav imenovanja instruktora u Obrazovanje> Postavke obrazovanja apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Molimo postavite fiskalni kod za kupca '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Najprije odaberite tvrtku DocType: Item Attribute,Numeric Values,Brojčane vrijednosti @@ -8124,6 +8126,7 @@ DocType: Salary Detail,Additional Amount,Dodatni iznos apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Košarica je prazna apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Stavka {0} nema serijski broj. Samo serijalizirane stavke \ mogu imati isporuku na temelju serijskog br +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Amortizirani iznos DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Stvarni operativni trošak DocType: Payment Entry,Cheque/Reference No,Ček / Referentni broj diff --git a/erpnext/translations/hu.csv b/erpnext/translations/hu.csv index e9269719ab..857791c131 100644 --- a/erpnext/translations/hu.csv +++ b/erpnext/translations/hu.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Általános adómentesség DocType: Exchange Rate Revaluation Account,New Exchange Rate,Új árfolyam apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Árfolyam szükséges ehhez az árlistához: {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* A tranzakcióban lesz kiszámolva. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Kérjük, állítsa be a Munkavállalók elnevezési rendszerét a Humán erőforrás> HR beállítások menüpontban" DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Vevő ügyfélkapcsolat DocType: Shift Type,Enable Auto Attendance,Automatikus jelenlét engedélyezése @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Összes beszállítói Kapcsolat DocType: Support Settings,Support Settings,Támogatás beállítások apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},A (z) {0} számla hozzáadódik a (z) {1} gyermekvállalathoz apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Érvénytelen hitelesítő adatok +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Mark Work From Home apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC elérhető (teljes opcióban) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS beállítások apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Kuponok feldolgozása @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Tétel adóöss apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Tagság adatai apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Beszállító kötelező a fizetendő számlához {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Tételek és árak -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Vevő> Vevőcsoport> Terület apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Összesen az órák: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Dátumtól a pénzügyi éven belül kell legyen. Feltételezve a dátumtól = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Kiválasztott lehetőség DocType: SG Creation Tool Course,SG Creation Tool Course,SG eszköz létrehozó kurzus DocType: Bank Statement Transaction Invoice Item,Payment Description,Fizetés leírása -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Kérjük, állítsa a Naming Series értékét a (z) {0} beállításra a Beállítás> Beállítások> Soros elnevezés menüponttal" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Elégtelen készlet DocType: Email Digest,New Sales Orders,Új vevői rendelés DocType: Bank Account,Bank Account,Bankszámla @@ -772,6 +770,7 @@ DocType: Request for Quotation,Request for Quotation,Ajánlatkérés DocType: Healthcare Settings,Require Lab Test Approval,Laboratóriumi teszt jóváhagyása szükséges DocType: Attendance,Working Hours,Munkaidő apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Teljes fennálló kintlévő +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverziós tényező ({0} -> {1}) nem található az elemre: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Megváltoztatni a kezdő / aktuális sorszámot egy meglévő sorozatban. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Százalékos arányban számolhat többet a megrendelt összeggel szemben. Például: Ha az elem rendelési értéke 100 USD, és a tűrést 10% -ra állítják be, akkor számolhat 110 USD-ért." DocType: Dosage Strength,Strength,Dózis @@ -1260,7 +1259,6 @@ DocType: Timesheet,Total Billed Hours,Összes számlázott Órák DocType: Pricing Rule Item Group,Pricing Rule Item Group,Árképzési szabálycsoport DocType: Travel Itinerary,Travel To,Ide utazni apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Árfolyam-átértékelési mester. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Kérjük, állítsa be a számozási sorozatokat a jelenléthez a Beállítás> Számozási sorozat segítségével" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Leírt összeg DocType: Leave Block List Allow,Allow User,Felhasználó engedélyezése DocType: Journal Entry,Bill No,Számlaszám @@ -1613,6 +1611,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Ösztönzők apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Értékek szinkronban apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Különbségérték +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Kérjük, állítsa be a számozási sorozatokat a jelenléthez a Beállítás> Számozási sorozat segítségével" DocType: SMS Log,Requested Numbers,Kért számok DocType: Volunteer,Evening,Este DocType: Quiz,Quiz Configuration,Kvízkonfiguráció @@ -1780,6 +1779,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Helyből DocType: Student Admission,Publish on website,Közzéteszi honlapján apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,"Beszállítói Számla dátuma nem lehet nagyobb, mint Beküldés dátuma" DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cikkszám> Tételcsoport> Márka DocType: Subscription,Cancelation Date,Visszavonás dátuma DocType: Purchase Invoice Item,Purchase Order Item,Beszerzési megrendelés tétel DocType: Agriculture Task,Agriculture Task,Mezőgazdaság feladat @@ -2380,7 +2380,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Termék kedvezményes táblá DocType: Target Detail,Target Distribution,Cél felosztás DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Ideiglenes értékelés véglegesítése apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importáló felek és címek -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverziós tényező ({0} -> {1}) nem található az elemre: {2} DocType: Salary Slip,Bank Account No.,Bankszámla sz. DocType: Naming Series,This is the number of the last created transaction with this prefix,"Ez az a szám, az ilyen előtaggal utoljára létrehozott tranzakciónak" DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2772,6 +2771,9 @@ DocType: Company,Default Holiday List,Alapértelmezett távolléti lista DocType: Pricing Rule,Supplier Group,Beszállítócsoport apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} válogatás apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},{0} sor: Időtől és időre {1} átfedésben van {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ","A (z) {0} névvel rendelkező BOM már létezik a (z) {1} elemhez.
Átnevezte az elemet? Kérjük, vegye fel a kapcsolatot a rendszergazdával / műszaki támogatással" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Készlet források (kötelezettségek) DocType: Purchase Invoice,Supplier Warehouse,Beszállító raktára DocType: Opportunity,Contact Mobile No,Kapcsolattartó mobilszáma @@ -3216,6 +3218,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Minőségi találkozótábla apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Látogassa meg a fórumokat +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"A (z) {0} feladat nem fejezhető be, mivel a függő {1} feladat nem fejeződött be / nem lett megszakítva." DocType: Student,Student Mobile Number,Tanuló mobil szám DocType: Item,Has Variants,Rrendelkezik változatokkal DocType: Employee Benefit Claim,Claim Benefit For,A kártérítési igény @@ -3374,7 +3377,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Összesen számlázási öss apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Készítsen díjütemezést apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Törzsvásárlói árbevétele DocType: Soil Texture,Silty Clay Loam,Iszap agyag termőtalaj -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Kérjük, állítsa be az Oktató elnevezési rendszert az Oktatás> Oktatási beállítások menüben" DocType: Quiz,Enter 0 to waive limit,Írja be a 0 értéket a korlát lemondásához DocType: Bank Statement Settings,Mapped Items,Megkerülő elemek DocType: Amazon MWS Settings,IT,AZT @@ -3408,7 +3410,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.","Nincs elegendő eszköz létrehozva vagy csatolva a következőhöz: {0}. \ Kérjük, hozzon létre vagy kapcsoljon össze {1} eszközöket a megfelelő dokumentummal." DocType: Pricing Rule,Apply Rule On Brand,Alkalmazza a szabályt a márkanévre DocType: Task,Actual End Date (via Time Sheet),Tényleges befejezés dátuma (Idő nyilvántartó szerint) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Nem lehet bezárni a (z) {0} feladatot, mivel a függő {1} feladat nem zárva le." DocType: Soil Texture,Soil Type,Talaj típus apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Összeg: {0} {1} ellenéből {2} {3} ,Quotation Trends,Árajánlatok alakulása @@ -3438,6 +3439,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Önvezető jármű DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Beszállító mutatószámláló állása apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Sor {0}: Anyagjegyzéket nem találtunk a Tételre {1} DocType: Contract Fulfilment Checklist,Requirement,Követelmény +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Kérjük, állítsa be a Munkavállalók elnevezési rendszerét a Humán erőforrás> HR beállítások menüpontban" DocType: Journal Entry,Accounts Receivable,Bevételi számlák DocType: Quality Goal,Objectives,célok DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Hátralévő szabadság-alkalmazás létrehozásának megengedett szerepe @@ -3579,6 +3581,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Alkalmazott apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,A kifizetési és a visszatérítendő beszerzési adatok részletei apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Nyissa meg újra +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,"Nem engedélyezett. Kérjük, tiltsa le a laboratóriumi tesztsablont" DocType: Sales Invoice Item,Qty as per Stock UOM,Mennyiség a Készlet mértékegysége alapján apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Helyettesítő2 neve apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3637,6 +3640,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Vállalkozás típusa DocType: Sales Invoice,Consumer,Fogyasztó apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Kérjük, válasszon odaítélt összeg, Számla típust és számlaszámot legalább egy sorban" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Kérjük, állítsa a Naming Series értékét a (z) {0} beállításra a Beállítás> Beállítások> Soros elnevezés menüponttal" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Új beszerzés költsége apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Vevői rendelés szükséges ehhez a tételhez {0} DocType: Grant Application,Grant Description,Adomány leírása @@ -3662,7 +3666,6 @@ DocType: Payment Request,Transaction Details,tranzakció részletek apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"Kérjük, kattintson a 'Ütemterv létrehozás', hogy ütemezzen" DocType: Item,"Purchase, Replenishment Details","Beszerzés, Feltöltési adatok" DocType: Products Settings,Enable Field Filters,A mezőszűrők engedélyezése -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cikkszám> Tételcsoport> Márka apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","""Felhasználó által közölt tétel"", egyben nem lehet Beszerezhető tétel is" DocType: Blanket Order Item,Ordered Quantity,Rendelt mennyiség apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","pl. ""Eszközök építőknek""" @@ -4131,7 +4134,7 @@ DocType: BOM,Operating Cost (Company Currency),Üzemeltetési költség (Vállak DocType: Authorization Rule,Applicable To (Role),Alkalmazandó (Beosztás) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Függő távollétek DocType: BOM Update Tool,Replace BOM,Cserélje ki a ANYAGJ-et -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,A(z) {0} kód már létezik +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,A(z) {0} kód már létezik DocType: Patient Encounter,Procedures,Eljárások apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,A vevői rendelések nem állnak rendelkezésre a termeléshez DocType: Asset Movement,Purpose,Cél @@ -4227,6 +4230,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Alkalmazottak időbeli DocType: Warranty Claim,Service Address,Szerviz címe apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Törzsadatok importálása DocType: Asset Maintenance Task,Calibration,Kalibráció +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,A (z) {0} laboratóriumi teszt elem már létezik apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,A(z) {0} vállallati ünnepi időszak apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Számlázható órák apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Távollét állapotjelentés @@ -4577,7 +4581,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,Bér regisztráció DocType: Company,Default warehouse for Sales Return,Alapértelmezett raktár az értékesítés visszatéréséhez DocType: Pick List,Parent Warehouse,Fő Raktár -DocType: Subscription,Net Total,Nettó összesen +DocType: C-Form Invoice Detail,Net Total,Nettó összesen apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Állítsa be az elem eltarthatósági idejét napokban, hogy a lejáratot a gyártás dátuma és az eltarthatóság alapján állítsa be." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Az alapértelmezett anyagjegyz BOM nem található erre a tételre: {0} és Projektre: {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,"{0} sor: Kérjük, állítsa be a fizetési módot a fizetési ütemezésben" @@ -4692,7 +4696,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Cél raktár kötelező ebben a sorban {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Kiskereskedelmi műveletek DocType: Cheque Print Template,Primary Settings,Elsődleges beállítások -DocType: Attendance Request,Work From Home,Otthonról dolgozni +DocType: Attendance,Work From Home,Otthonról dolgozni DocType: Purchase Invoice,Select Supplier Address,Válasszon Beszállító címet apps/erpnext/erpnext/public/js/event.js,Add Employees,Alkalmazottak hozzáadása DocType: Purchase Invoice Item,Quality Inspection,Minőségvizsgálat @@ -4934,8 +4938,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,Engedélyezési URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Összeg: {0} {1} {2} {3} DocType: Account,Depreciation,Értékcsökkentés -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Kérjük, törölje a (z) {0} alkalmazottat a dokumentum visszavonásához" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,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 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Beszállító (k) DocType: Employee Attendance Tool,Employee Attendance Tool,Alkalmazott nyilvántartó Eszköz @@ -5239,7 +5241,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Növényelemzési krit DocType: Cheque Print Template,Cheque Height,Csekk magasság DocType: Supplier,Supplier Details,Beszállítói adatok DocType: Setup Progress,Setup Progress,Telepítés előrehaladása -DocType: Expense Claim,Approval Status,Jóváhagyás állapota apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},"Űrlap értéke kisebb legyen, mint az érték ebben a sorban {0}" DocType: Program,Intro Video,Bevezető videó DocType: Manufacturing Settings,Default Warehouses for Production,Alapértelmezett raktárak gyártáshoz @@ -5580,7 +5581,6 @@ DocType: Purchase Invoice,Rounded Total,Kerekített összeg apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,A (z) {0} -es bővítőhelyek nem szerepelnek az ütem-tervben DocType: Product Bundle,List items that form the package.,A csomagot alkotó elemek listája. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},A célhely szükséges a (z) {0} eszköz átadásakor -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nem engedélyezett. Tiltsa le a tesztsablont DocType: Sales Invoice,Distance (in km),Távolság (km-ben) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Százalékos megoszlás egyenlőnek kell lennie a 100%-al apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Kérjük, válasszon könyvelési dátumot az Ügyfél kiválasztása előtt" @@ -5710,7 +5710,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Árlista váltási árfolyama apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Összes beszállítói csoport DocType: Employee Boarding Activity,Required for Employee Creation,Munkavállalók létrehozásához szükséges -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Szállító> Beszállító típusa apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},A(z) {1} fiókban már használta a {0} számla számot DocType: GoCardless Mandate,Mandate,Megbízás DocType: Hotel Room Reservation,Booked,Könyvelt @@ -5776,7 +5775,6 @@ DocType: Production Plan Item,Product Bundle Item,Gyártmány tétel csomag DocType: Sales Partner,Sales Partner Name,Vevő partner neve apps/erpnext/erpnext/hooks.py,Request for Quotations,Árajánlatkérés DocType: Payment Reconciliation,Maximum Invoice Amount,Maximális Számla összege -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,A BankAccount.validate_iban () meghiúsult az üres IBAN esetében DocType: Normal Test Items,Normal Test Items,Normál vizsgálati tételek DocType: QuickBooks Migrator,Company Settings,Cég beállítások DocType: Additional Salary,Overwrite Salary Structure Amount,Fizetési struktúra összegének felülírása @@ -5927,6 +5925,7 @@ DocType: Issue,Resolution By Variance,Felbontás variancia szerint DocType: Leave Allocation,Leave Period,Távollét időszaka DocType: Item,Default Material Request Type,Alapértelmezett anyagigény típus DocType: Supplier Scorecard,Evaluation Period,Értékelési időszak +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Vevő> Vevőcsoport> Terület apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Ismeretlen apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Munkamegrendelést nem hoztuk létre apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6284,8 +6283,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Szérias DocType: Material Request Plan Item,Required Quantity,Szükséges mennyiség DocType: Lab Test Template,Lab Test Template,Labor teszt sablon apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},A számviteli időszak átfedésben van a (z) {0} -gal +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Szállító> Beszállító típusa apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Értékesítési számla DocType: Purchase Invoice Item,Total Weight,Össz súly +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Kérjük, törölje a (z) {0} alkalmazottat a dokumentum visszavonásához" DocType: Pick List Item,Pick List Item,Válassza ki az elemet apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Értékesítések jutalékai DocType: Job Offer Term,Value / Description,Érték / Leírás @@ -6398,6 +6400,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Bejelentkezve DocType: Bank Account,Party Type,Ügyfél típusa DocType: Discounted Invoice,Discounted Invoice,Kedvezményes számla +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Jelölje meg a részvételt mint DocType: Payment Schedule,Payment Schedule,Fizetési ütemeés apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Az adott alkalmazott mezőértékhez nem található alkalmazott. '{}': {} DocType: Item Attribute Value,Abbreviation,Rövidítés @@ -6499,7 +6502,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Visszatartás oka DocType: Employee,Personal Email,Személyes emailcím apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Összes variáció DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ha engedélyezve van, a rendszer automatikusan kiküldi a könyvelési tételeket a leltárhoz." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () elfogadta az érvénytelen IBAN-t {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Ügynöki jutalék apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Jelenléte az alkalmazottnak {0} már jelölt erre a napra DocType: Work Order Operation,"in Minutes @@ -6769,6 +6771,7 @@ DocType: Appointment,Customer Details,Vevő részletek apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Nyomtassa ki az IRS 1099 űrlapokat DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Ellenőrizze, hogy a vagyontárgy megelőző karbantartást vagy kalibrálást igényel-e" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,"Vállalkozás rövidítése nem lehet több, mint 5 karakter" +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Az anyavállalatnak csoportnak kell lennie DocType: Employee,Reports to,Jelentések ,Unpaid Expense Claim,Kifizetetlen költség követelés DocType: Payment Entry,Paid Amount,Fizetett összeg @@ -6856,6 +6859,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Lehet. számláló apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Mindkét; a próbaidőszak kezdési időpontját és a próbaidőszak végső dátumát meg kell adni apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Átlagérték +DocType: Appointment,Appointment With,Kinevezés apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,A kifizetési ütemezés teljes összegének meg kell egyeznie a Teljes / kerekített összeggel apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Felhasználó által közölt tétel"" nem lehet Készletérték ára" DocType: Subscription Plan Detail,Plan,Terv @@ -6988,7 +6992,6 @@ DocType: Customer,Customer Primary Contact,Vevő elsődleges kapcsolattartója apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,LEHET / Érdeklődés % DocType: Bank Guarantee,Bank Account Info,Bankszámla adatok DocType: Bank Guarantee,Bank Guarantee Type,Bankgarancia típusa -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},A BankAccount.validate_iban () érvénytelen IBAN-ra sikertelen {} DocType: Payment Schedule,Invoice Portion,Számla része ,Asset Depreciations and Balances,Vagyontárgy Értékcsökkenés és egyenlegek apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Összeg: {0} {1} átment ebből: {2} ebbe: {3} @@ -7652,7 +7655,6 @@ DocType: Dosage Form,Dosage Form,Adagolási dózisforma apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},"Kérjük, állítsa be a kampány ütemezését a (z) {0} kampányban" apps/erpnext/erpnext/config/buying.py,Price List master.,Árlista törzsadat. DocType: Task,Review Date,Megtekintés dátuma -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Jelölje meg a részvételt mint DocType: BOM,Allow Alternative Item,Alternatív tétel engedélyezése apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"A beszerzési nyugtán nincs olyan elem, amelyre a minta megőrzése engedélyezve van." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Összesen számla @@ -7880,7 +7882,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,"Árlista nem található, vagy letiltva" DocType: Content Activity,Last Activity ,"utolsó bejelentkezés, utolsó használat" -DocType: Student Applicant,Approved,Jóváhagyott DocType: Pricing Rule,Price,Árazás apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Elengedett alkalmazott: {0} , be kell állítani mint 'Távol'" DocType: Guardian,Guardian,"Gyám, helyettesítő" @@ -8051,6 +8052,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Százalékos levonás DocType: GL Entry,To Rename,Átnevezni DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Válassza ki a sorozatszám hozzáadásához. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Kérjük, állítsa be az Oktató elnevezési rendszert az Oktatás> Oktatási beállítások menüben" apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Kérjük, állítsa be az adószámot a (z)% s ügyfél számára" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,"Kérjük, először válassza ki a Vállalkozást" DocType: Item Attribute,Numeric Values,Numerikus értékek @@ -8067,6 +8069,7 @@ DocType: Salary Detail,Additional Amount,Kiegészítő összeg apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,A kosár üres apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",A (z) {0} tétel nem rendelkezik sorszámmal Csak a szerzeményezett elemek \ szállíthatók a sorozatszám alapján +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Értékcsökkenési összeg DocType: Vehicle,Model,Modell DocType: Work Order,Actual Operating Cost,Tényleges működési költség DocType: Payment Entry,Cheque/Reference No,Csekk/Hivatkozási szám diff --git a/erpnext/translations/id.csv b/erpnext/translations/id.csv index 5b0699df8e..3c3d609121 100644 --- a/erpnext/translations/id.csv +++ b/erpnext/translations/id.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Jumlah Bebas Pajak Standar DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nilai Tukar Baru apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Mata Uang diperlukan untuk Daftar Harga {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Akan dihitung dalam transaksi. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Silakan atur Sistem Penamaan Karyawan di Sumber Daya Manusia> Pengaturan SDM DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Kontak Pelanggan DocType: Shift Type,Enable Auto Attendance,Aktifkan Kehadiran Otomatis @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Kontak semua Supplier DocType: Support Settings,Support Settings,Pengaturan dukungan apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Akun {0} ditambahkan di perusahaan anak {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Kredensial tidak valid +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Tandai Bekerja Dari Rumah apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC Tersedia (baik dalam bagian op penuh) DocType: Amazon MWS Settings,Amazon MWS Settings,Pengaturan MWS Amazon apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Memproses Voucher @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Jumlah Pajak Ba apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Rincian Keanggotaan apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Pemasok diperlukan untuk akun Hutang {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Item dan Harga -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Grup Pelanggan> Wilayah apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Jumlah jam: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Dari tanggal harus dalam Tahun Anggaran. Dengan asumsi Dari Tanggal = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Opsi yang Dipilih DocType: SG Creation Tool Course,SG Creation Tool Course,SG Penciptaan Alat Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Deskripsi pembayaran -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Silakan tentukan Seri Penamaan untuk {0} melalui Pengaturan> Pengaturan> Seri Penamaan apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Persediaan tidak cukup DocType: Email Digest,New Sales Orders,Penjualan New Orders DocType: Bank Account,Bank Account,Rekening Bank @@ -774,6 +772,7 @@ DocType: Request for Quotation,Request for Quotation,Permintaan Quotation DocType: Healthcare Settings,Require Lab Test Approval,Memerlukan Lab Test Approval DocType: Attendance,Working Hours,Jam Kerja apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total Posisi +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor Konversi UOM ({0} -> {1}) tidak ditemukan untuk item: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Mengubah mulai / nomor urut saat ini dari seri yang ada. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Persentase Anda dapat menagih lebih banyak dari jumlah yang dipesan. Misalnya: Jika nilai pesanan adalah $ 100 untuk item dan toleransi ditetapkan 10%, maka Anda diizinkan untuk menagih $ 110." DocType: Dosage Strength,Strength,Kekuatan @@ -1262,7 +1261,6 @@ DocType: Timesheet,Total Billed Hours,Total Jam Ditagih DocType: Pricing Rule Item Group,Pricing Rule Item Group,Grup Item Aturan Harga DocType: Travel Itinerary,Travel To,Perjalanan Ke apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Master Revaluasi Nilai Tukar. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Silakan atur seri penomoran untuk Kehadiran melalui Pengaturan> Seri Penomoran apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Jumlah Nilai Write Off DocType: Leave Block List Allow,Allow User,Izinkan Pengguna DocType: Journal Entry,Bill No,Nomor Tagihan @@ -1615,6 +1613,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Insentif apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Nilai Tidak Disinkronkan apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Nilai Perbedaan +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Silakan atur seri penomoran untuk Kehadiran melalui Pengaturan> Seri Penomoran DocType: SMS Log,Requested Numbers,Nomor yang Diminta DocType: Volunteer,Evening,Malam DocType: Quiz,Quiz Configuration,Konfigurasi Kuis @@ -1782,6 +1781,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Dari Temp DocType: Student Admission,Publish on website,Mempublikasikan di website apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Pemasok Faktur Tanggal tidak dapat lebih besar dari Posting Tanggal DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kode Barang> Grup Barang> Merek DocType: Subscription,Cancelation Date,Tanggal Pembatalan DocType: Purchase Invoice Item,Purchase Order Item,Stok Barang Order Pembelian DocType: Agriculture Task,Agriculture Task,Tugas Pertanian @@ -2382,7 +2382,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Potongan Diskon Produk DocType: Target Detail,Target Distribution,Target Distribusi DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalisasi penilaian sementara apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Mengimpor Pihak dan Alamat -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor Konversi UOM ({0} -> {1}) tidak ditemukan untuk item: {2} DocType: Salary Slip,Bank Account No.,No Rekening Bank DocType: Naming Series,This is the number of the last created transaction with this prefix,Ini adalah jumlah transaksi yang diciptakan terakhir dengan awalan ini DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2775,6 +2774,9 @@ DocType: Company,Default Holiday List,Standar Daftar Hari Libur DocType: Pricing Rule,Supplier Group,Grup Pemasok apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: Dari Waktu dan Untuk Waktu {1} adalah tumpang tindih dengan {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",BOM dengan nama {0} sudah ada untuk item {1}.
Apakah Anda mengganti nama item? Silakan hubungi dukungan Administrator / Teknologi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Hutang Persediaan DocType: Purchase Invoice,Supplier Warehouse,Gudang Supplier DocType: Opportunity,Contact Mobile No,Kontak Mobile No @@ -3217,6 +3219,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Tabel Rapat Kualitas apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Kunjungi forum +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Tidak dapat menyelesaikan tugas {0} karena tugas dependennya {1} tidak selesai / dibatalkan. DocType: Student,Student Mobile Number,Mahasiswa Nomor Ponsel DocType: Item,Has Variants,Memiliki Varian DocType: Employee Benefit Claim,Claim Benefit For,Manfaat Klaim Untuk @@ -3376,7 +3379,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Jumlah Total Penagihan (via apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Buat Jadwal Biaya apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Pendapatan Pelanggan Rutin DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Silakan siapkan Sistem Penamaan Instruktur di Pendidikan> Pengaturan Pendidikan DocType: Quiz,Enter 0 to waive limit,Masukkan 0 untuk mengesampingkan batas DocType: Bank Statement Settings,Mapped Items,Item yang Dipetakan DocType: Amazon MWS Settings,IT,SAYA T @@ -3410,7 +3412,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Tidak ada cukup aset yang dibuat atau ditautkan ke {0}. \ Silakan buat atau tautkan {1} Aset dengan dokumen terkait. DocType: Pricing Rule,Apply Rule On Brand,Terapkan Aturan Pada Merek DocType: Task,Actual End Date (via Time Sheet),Tanggal Akhir Aktual (dari Lembar Waktu) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Tidak dapat menutup tugas {0} karena tugas dependennya {1} tidak ditutup. DocType: Soil Texture,Soil Type,Jenis tanah apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Jumlah {0} {1} terhadap {2} {3} ,Quotation Trends,Trend Penawaran @@ -3440,6 +3441,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Kendaraan Mengemudi Sendiri DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Supplier Scorecard Berdiri apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Material tidak ditemukan Item {1} DocType: Contract Fulfilment Checklist,Requirement,Kebutuhan +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Silakan atur Sistem Penamaan Karyawan di Sumber Daya Manusia> Pengaturan SDM DocType: Journal Entry,Accounts Receivable,Piutang DocType: Quality Goal,Objectives,Tujuan DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Peran Diizinkan untuk Membuat Aplikasi Cuti Backdated @@ -3581,6 +3583,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Telah Diterapkan apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Rincian Persediaan Keluar dan persediaan ke dalam bertanggung jawab untuk membalikkan biaya apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re-terbuka +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Tidak diperbolehkan. Harap nonaktifkan Template Tes Lab DocType: Sales Invoice Item,Qty as per Stock UOM,Kuantitas sesuai UOM Persediaan apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nama Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Perusahaan Root @@ -3639,6 +3642,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Jenis bisnis DocType: Sales Invoice,Consumer,Konsumen apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Silakan pilih Jumlah Alokasi, Faktur Jenis dan Faktur Nomor di minimal satu baris" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Silakan tentukan Seri Penamaan untuk {0} melalui Pengaturan> Pengaturan> Seri Penamaan apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Biaya Pembelian New apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Sales Order yang diperlukan untuk Item {0} DocType: Grant Application,Grant Description,Deskripsi Donasi @@ -3664,7 +3668,6 @@ DocType: Payment Request,Transaction Details,Detil transaksi apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,Silahkan klik 'Menghasilkan Jadwal' untuk mendapatkan jadwal DocType: Item,"Purchase, Replenishment Details","Rincian Pembelian, Pengisian" DocType: Products Settings,Enable Field Filters,Aktifkan Filter Bidang -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kode Barang> Grup Barang> Merek apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","""Barang Dari Pelanggan"" tidak bisa berupa Barang Dibeli juga" DocType: Blanket Order Item,Ordered Quantity,Qty Terpesan/Terorder apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","misalnya ""Membangun alat untuk pembangun """ @@ -4134,7 +4137,7 @@ DocType: BOM,Operating Cost (Company Currency),Biaya operasi (Perusahaan Mata Ua DocType: Authorization Rule,Applicable To (Role),Berlaku Untuk (Peran) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Cuti Yang Belum Disetujui DocType: BOM Update Tool,Replace BOM,Ganti BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kode {0} sudah ada +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kode {0} sudah ada DocType: Patient Encounter,Procedures,Prosedur apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Pesanan penjualan tidak tersedia untuk produksi DocType: Asset Movement,Purpose,Tujuan @@ -4250,6 +4253,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Abaikan Waktu Karyawan T DocType: Warranty Claim,Service Address,Alamat Layanan apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Impor Data Master DocType: Asset Maintenance Task,Calibration,Kalibrasi +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Item Uji Lab {0} sudah ada apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} adalah hari libur perusahaan apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Jam yang Dapat Ditagih apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Tinggalkan Pemberitahuan Status @@ -4600,7 +4604,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,Register Gaji DocType: Company,Default warehouse for Sales Return,Gudang default untuk Pengembalian Penjualan DocType: Pick List,Parent Warehouse,Gudang tua -DocType: Subscription,Net Total,Jumlah Bersih +DocType: C-Form Invoice Detail,Net Total,Jumlah Bersih apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Tetapkan umur simpan item dalam beberapa hari, untuk menetapkan masa berlaku berdasarkan tanggal pembuatan ditambah umur simpan." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Default BOM tidak ditemukan untuk Item {0} dan Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Baris {0}: Silakan tetapkan Mode Pembayaran dalam Jadwal Pembayaran @@ -4715,7 +4719,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target gudang adalah wajib untuk baris {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Operasi Ritel DocType: Cheque Print Template,Primary Settings,Pengaturan utama -DocType: Attendance Request,Work From Home,Bekerja dari rumah +DocType: Attendance,Work From Home,Bekerja dari rumah DocType: Purchase Invoice,Select Supplier Address,Pilih Pemasok Alamat apps/erpnext/erpnext/public/js/event.js,Add Employees,Tambahkan Karyawan DocType: Purchase Invoice Item,Quality Inspection,Inspeksi Mutu @@ -4957,8 +4961,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL otorisasi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Jumlah {0} {1} {2} {3} DocType: Account,Depreciation,Penyusutan -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Hapus Karyawan {0} \ untuk membatalkan dokumen ini" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Jumlah saham dan jumlah saham tidak konsisten apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Supplier (s) DocType: Employee Attendance Tool,Employee Attendance Tool,Alat Absensi Karyawan @@ -5263,7 +5265,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kriteria Analisis Tanam DocType: Cheque Print Template,Cheque Height,Cek Tinggi DocType: Supplier,Supplier Details,Rincian Supplier DocType: Setup Progress,Setup Progress,Setup Progress -DocType: Expense Claim,Approval Status,Approval Status apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Dari nilai harus kurang dari nilai dalam baris {0} DocType: Program,Intro Video,Video Pengantar DocType: Manufacturing Settings,Default Warehouses for Production,Gudang Default untuk Produksi @@ -5604,7 +5605,6 @@ DocType: Purchase Invoice,Rounded Total,Rounded Jumlah apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slot untuk {0} tidak ditambahkan ke jadwal DocType: Product Bundle,List items that form the package.,Daftar item yang membentuk paket. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Lokasi Target diperlukan saat mentransfer Aset {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Tidak diperbolehkan. Nonaktifkan Template Uji DocType: Sales Invoice,Distance (in km),Jarak (dalam km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Persentase Alokasi harus sama dengan 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Silakan pilih Posting Tanggal sebelum memilih Partai @@ -5734,7 +5734,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Daftar Harga Tukar apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Semua Grup Pemasok DocType: Employee Boarding Activity,Required for Employee Creation,Diperlukan untuk Penciptaan Karyawan -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pemasok> Jenis Pemasok apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Nomor Akun {0} sudah digunakan di akun {1} DocType: GoCardless Mandate,Mandate,Mandat DocType: Hotel Room Reservation,Booked,Memesan @@ -5800,7 +5799,6 @@ DocType: Production Plan Item,Product Bundle Item,Barang Bundel Produk DocType: Sales Partner,Sales Partner Name,Penjualan Mitra Nama apps/erpnext/erpnext/hooks.py,Request for Quotations,Permintaan Kutipan DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimum Faktur Jumlah -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () gagal karena IBAN kosong DocType: Normal Test Items,Normal Test Items,Item Uji Normal DocType: QuickBooks Migrator,Company Settings,Pengaturan Perusahaan DocType: Additional Salary,Overwrite Salary Structure Amount,Timpa Jumlah Struktur Gaji @@ -5951,6 +5949,7 @@ DocType: Issue,Resolution By Variance,Resolusi oleh Varians DocType: Leave Allocation,Leave Period,Tinggalkan Periode DocType: Item,Default Material Request Type,Default Bahan Jenis Permintaan DocType: Supplier Scorecard,Evaluation Period,Periode Evaluasi +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Grup Pelanggan> Wilayah apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,tidak diketahui apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Perintah Kerja tidak dibuat apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6309,8 +6308,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Kuantitas yang Diperlukan DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Periode Akuntansi tumpang tindih dengan {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pemasok> Jenis Pemasok apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Akun penjualan DocType: Purchase Invoice Item,Total Weight,Berat keseluruhan +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Hapus Karyawan {0} \ untuk membatalkan dokumen ini" DocType: Pick List Item,Pick List Item,Pilih Item Daftar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisi Penjualan DocType: Job Offer Term,Value / Description,Nilai / Keterangan @@ -6425,6 +6427,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Masuk DocType: Bank Account,Party Type,Type Partai DocType: Discounted Invoice,Discounted Invoice,Faktur Diskon +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Tandai kehadiran sebagai DocType: Payment Schedule,Payment Schedule,Jadwal pembayaran apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Karyawan tidak ditemukan untuk nilai bidang karyawan yang diberikan. '{}': {} DocType: Item Attribute Value,Abbreviation,Singkatan @@ -6526,7 +6529,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Alasan untuk Puting On Hold DocType: Employee,Personal Email,Email Pribadi apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Total Variance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jika diaktifkan, sistem akan posting entri akuntansi untuk persediaan otomatis." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () menerima IBAN tidak valid {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Memperantarai apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Kehadiran bagi karyawan {0} sudah ditandai untuk hari ini DocType: Work Order Operation,"in Minutes @@ -6796,6 +6798,7 @@ DocType: Appointment,Customer Details,Rincian Pelanggan apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Cetak Formulir IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Periksa apakah Aset memerlukan Pemeliharaan atau Kalibrasi Pencegahan apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Singkatan Perusahaan tidak boleh memiliki lebih dari 5 karakter +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Induk Perusahaan harus merupakan perusahaan grup DocType: Employee,Reports to,Laporan untuk ,Unpaid Expense Claim,Tunggakan Beban Klaim DocType: Payment Entry,Paid Amount,Dibayar Jumlah @@ -6883,6 +6886,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Tanggal Awal Periode Uji Coba dan Tanggal Akhir Periode Uji Coba harus ditetapkan apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Harga rata-rata +DocType: Appointment,Appointment With,Janji dengan apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Jumlah Pembayaran Total dalam Jadwal Pembayaran harus sama dengan Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Barang Dari Pelanggan"" tidak bisa mempunyai Tarif Valuasi" DocType: Subscription Plan Detail,Plan,Rencana @@ -7015,7 +7019,6 @@ DocType: Customer,Customer Primary Contact,Kontak utama pelanggan apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Peluang/Prospek % DocType: Bank Guarantee,Bank Account Info,Info Rekening Bank DocType: Bank Guarantee,Bank Guarantee Type,Jenis Garansi Bank -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () gagal karena IBAN yang valid {} DocType: Payment Schedule,Invoice Portion,Bagian faktur ,Asset Depreciations and Balances,Penyusutan aset dan Saldo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Jumlah {0} {1} ditransfer dari {2} untuk {3} @@ -7680,7 +7683,6 @@ DocType: Dosage Form,Dosage Form,Formulir Dosis apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Harap atur Jadwal Kampanye di Kampanye {0} apps/erpnext/erpnext/config/buying.py,Price List master.,List Master Daftar Harga DocType: Task,Review Date,Tanggal Ulasan -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Tandai kehadiran sebagai DocType: BOM,Allow Alternative Item,Izinkan Item Alternatif apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Kwitansi Pembelian tidak memiliki Barang yang Retain Sampel diaktifkan. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktur Jumlah Total @@ -7908,7 +7910,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Daftar Harga tidak ditemukan atau dinonaktifkan DocType: Content Activity,Last Activity ,aktivitas terakhir -DocType: Student Applicant,Approved,Disetujui DocType: Pricing Rule,Price,Harga apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Karyawan lega pada {0} harus ditetapkan sebagai 'Kiri' DocType: Guardian,Guardian,Wali @@ -8079,6 +8080,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Pengurangan Persen DocType: GL Entry,To Rename,Untuk Mengganti Nama DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Pilih untuk menambahkan Nomor Seri. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Silakan siapkan Sistem Penamaan Instruktur di Pendidikan> Pengaturan Pendidikan apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Harap tetapkan Kode Fisk untuk pelanggan '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Silahkan pilih Perusahaan terlebih dahulu DocType: Item Attribute,Numeric Values,Nilai numerik @@ -8095,6 +8097,7 @@ DocType: Salary Detail,Additional Amount,Jumlah tambahan apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Cart adalah Kosong apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Item {0} tidak memiliki Serial No. Hanya item berurutan \ dapat melakukan pengiriman berdasarkan Nomor Seri +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Jumlah yang Disusutkan DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Biaya Operasi Aktual DocType: Payment Entry,Cheque/Reference No,Cek / Referensi Tidak ada diff --git a/erpnext/translations/is.csv b/erpnext/translations/is.csv index e81571a561..5df8d537bb 100644 --- a/erpnext/translations/is.csv +++ b/erpnext/translations/is.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Venjulegt fjárhæð undan DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nýtt gengi apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Gjaldmiðill er nauðsynlegt til verðlisti {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Verður að reikna í viðskiptunum. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vinsamlegast settu upp nafnakerfi starfsmanna í mannauð> HR stillingar DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,viðskiptavinur samband við DocType: Shift Type,Enable Auto Attendance,Virkja sjálfvirk mæting @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Allt Birgir samband við DocType: Support Settings,Support Settings,Stuðningur Stillingar apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Reikningur {0} er bætt við í barnafyrirtækinu {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Ógild skilríki +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Merktu vinnu heiman frá apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC í boði (hvort sem það er í heild hluta) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Stillingar apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Afgreiðsla fylgiskjala @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Fjárhæð skat apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Upplýsingar um aðild apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Birgir þörf er á móti ber að greiða reikninginn {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Atriði og Verðlagning -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Viðskiptavinur> Viðskiptavinahópur> Landsvæði apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Total hours: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Frá Dagsetning ætti að vera innan fjárhagsársins. Að því gefnu Frá Dagsetning = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Valinn kostur DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Greiðsla Lýsing -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vinsamlegast stilltu Naming Series fyrir {0} með Setup> Settings> Naming Series apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,ófullnægjandi Stock DocType: Email Digest,New Sales Orders,Ný Velta Pantanir DocType: Bank Account,Bank Account,Bankareikning @@ -774,6 +772,7 @@ DocType: Request for Quotation,Request for Quotation,Beiðni um tilvitnun DocType: Healthcare Settings,Require Lab Test Approval,Krefjast samþykkis Lab Test DocType: Attendance,Working Hours,Vinnutími apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Samtals framúrskarandi +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM viðskiptaþáttur ({0} -> {1}) fannst ekki fyrir hlutinn: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Breyta upphafsdegi / núverandi raðnúmer núverandi röð. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Hlutfall sem þú hefur heimild til að innheimta meira gegn upphæðinni sem pantað er. Til dæmis: Ef pöntunargildið er $ 100 fyrir hlut og vikmörk eru stillt sem 10%, þá hefurðu heimild til að gjaldfæra $ 110." DocType: Dosage Strength,Strength,Styrkur @@ -1262,7 +1261,6 @@ DocType: Timesheet,Total Billed Hours,Samtals Greidd Hours DocType: Pricing Rule Item Group,Pricing Rule Item Group,Verðlagsregla hlutaflokks DocType: Travel Itinerary,Travel To,Ferðast til apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Gjaldeyrismatsmeistari. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vinsamlegast settu upp númeraröð fyrir mætingu með uppsetningu> Númeraröð apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Skrifaðu Off Upphæð DocType: Leave Block List Allow,Allow User,að leyfa notanda DocType: Journal Entry,Bill No,Bill Nei @@ -1615,6 +1613,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Incentives apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Gildi utan samstillingar apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Mismunur gildi +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vinsamlegast settu upp númeraröð fyrir mætingu með uppsetningu> Númeraröð DocType: SMS Log,Requested Numbers,umbeðin Numbers DocType: Volunteer,Evening,Kvöld DocType: Quiz,Quiz Configuration,Skyndipróf @@ -1782,6 +1781,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Frá sta DocType: Student Admission,Publish on website,Birta á vefsíðu apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Birgir Invoice Dagsetning má ekki vera meiri en Staða Dagsetning DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Atriðakóði> Vöruflokkur> Vörumerki DocType: Subscription,Cancelation Date,Hætta við dagsetningu DocType: Purchase Invoice Item,Purchase Order Item,Purchase Order Item DocType: Agriculture Task,Agriculture Task,Landbúnaður Verkefni @@ -2382,7 +2382,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Vara afslátt plötum DocType: Target Detail,Target Distribution,Target Dreifing DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Lokagjöf á Bráðabirgðamati apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Flytur aðila og heimilisfang -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM viðskiptaþáttur ({0} -> {1}) fannst ekki fyrir hlutinn: {2} DocType: Salary Slip,Bank Account No.,Bankareikningur nr DocType: Naming Series,This is the number of the last created transaction with this prefix,Þetta er fjöldi síðustu búin færslu með þessu forskeyti DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2774,6 +2773,9 @@ DocType: Company,Default Holiday List,Sjálfgefin Holiday List DocType: Pricing Rule,Supplier Group,Birgir Group apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: Frá tíma og tíma af {1} er skörun við {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",BOM með nafni {0} er þegar til fyrir hlutinn {1}.
Vissir þú endurnefna hlutinn? Vinsamlegast hafðu samband við þjónustuver stjórnanda / tækni apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,lager Skuldir DocType: Purchase Invoice,Supplier Warehouse,birgir Warehouse DocType: Opportunity,Contact Mobile No,Viltu samband við Mobile Nei @@ -3216,6 +3218,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Gæðafundarborð apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Heimsókn á umræðunum +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Ekki hægt að ljúka verkefni {0} þar sem háð verkefni {1} þess eru ekki felld / hætt. DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,hefur Afbrigði DocType: Employee Benefit Claim,Claim Benefit For,Kröfuhagur fyrir @@ -3374,7 +3377,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Total Billing Magn (með Tim apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Búðu til gjaldskrá apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Endurtaka Tekjur viðskiptavinar DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vinsamlegast settu upp kennslukerfi kennslukerfis í menntun> Menntunarstillingar DocType: Quiz,Enter 0 to waive limit,Sláðu inn 0 til að falla frá takmörkun DocType: Bank Statement Settings,Mapped Items,Mapped Items DocType: Amazon MWS Settings,IT,ÞAÐ @@ -3408,7 +3410,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Það eru ekki nógu margar eignir búnar til eða tengdar við {0}. \ Vinsamlegast búðu til eða tengdu {1} Eignir við viðkomandi skjal. DocType: Pricing Rule,Apply Rule On Brand,Notaðu reglu um vörumerki DocType: Task,Actual End Date (via Time Sheet),Raunveruleg End Date (með Time Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Get ekki lokað verkefni {0} þar sem háð verkefni {1} þess er ekki lokað. DocType: Soil Texture,Soil Type,Jarðvegsgerð apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Upphæð {0} {1} gegn {2} {3} ,Quotation Trends,Tilvitnun Trends @@ -3438,6 +3439,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Sjálfknúin ökutæki DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Birgir Stuðningskort Standandi apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Efnislisti finnst ekki fyrir þar sem efnið {1} DocType: Contract Fulfilment Checklist,Requirement,Kröfu +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vinsamlegast settu upp nafnakerfi starfsmanna í mannauð> HR stillingar DocType: Journal Entry,Accounts Receivable,Reikningur fáanlegur DocType: Quality Goal,Objectives,Markmið DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Hlutverki heimilt að búa til bakgrunnsdagsforrit @@ -3579,6 +3581,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Applied apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Upplýsingar um útflutningsbirgðir og vistir til innflutnings sem geta verið gjaldfærðar til baka apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re-opinn +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Ekki leyfilegt. Vinsamlegast slökkva á Lab prófunar sniðmát DocType: Sales Invoice Item,Qty as per Stock UOM,Magn eins og á lager UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Name apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Rótarýfélag @@ -3637,6 +3640,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tegund viðskipta DocType: Sales Invoice,Consumer,Neytandi apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vinsamlegast veldu úthlutað magn, tegundir innheimtuseðla og reikningsnúmerið í atleast einni röð" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vinsamlegast stilltu Naming Series fyrir {0} með Setup> Settings> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kostnaður við nýja kaup apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Velta Order krafist fyrir lið {0} DocType: Grant Application,Grant Description,Grant Lýsing @@ -3662,7 +3666,6 @@ DocType: Payment Request,Transaction Details,Upplýsingar um viðskipti apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,Vinsamlegast smelltu á 'Búa Stundaskrá' til að fá áætlun DocType: Item,"Purchase, Replenishment Details","Kaup, upplýsingar um endurnýjun" DocType: Products Settings,Enable Field Filters,Virkja reitasíur -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Vörunúmer> Vöruflokkur> Vörumerki apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also",„Hlutur veittur af viðskiptavini“ getur ekki verið keyptur hlutur DocType: Blanket Order Item,Ordered Quantity,Raðaður Magn apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",td "Byggja verkfæri fyrir smiðirnir" @@ -4132,7 +4135,7 @@ DocType: BOM,Operating Cost (Company Currency),Rekstrarkostnaður (Company Gjald DocType: Authorization Rule,Applicable To (Role),Gildir til (Hlutverk) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Bíður Leaves DocType: BOM Update Tool,Replace BOM,Skiptu um BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kóði {0} er þegar til +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kóði {0} er þegar til DocType: Patient Encounter,Procedures,Málsmeðferð apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Sölufyrirmæli eru ekki tiltæk til framleiðslu DocType: Asset Movement,Purpose,Tilgangur @@ -4228,6 +4231,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Hunsa starfsmannatímabi DocType: Warranty Claim,Service Address,þjónusta Address apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Flytja inn grunngögn DocType: Asset Maintenance Task,Calibration,Kvörðun +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Liður í rannsóknarstofu {0} er þegar til apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} er félagsfrí apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Reikningstímar apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Leyfi Tilkynning um leyfi @@ -4578,7 +4582,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,laun Register DocType: Company,Default warehouse for Sales Return,Sjálfgefið lager fyrir söluávöxtun DocType: Pick List,Parent Warehouse,Parent Warehouse -DocType: Subscription,Net Total,Net Total +DocType: C-Form Invoice Detail,Net Total,Net Total apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Stilltu geymsluþol hlutar á daga til að stilla fyrningu samkvæmt framleiðsludagsetningu auk geymsluþols. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Sjálfgefið BOM fannst ekki fyrir lið {0} og verkefni {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Röð {0}: Vinsamlegast stilltu greiðslumáta í greiðsluáætlun @@ -4693,7 +4697,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target vöruhús er nauðsynlegur fyrir röð {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Verslunarrekstur DocType: Cheque Print Template,Primary Settings,Primary Stillingar -DocType: Attendance Request,Work From Home,Vinna heiman +DocType: Attendance,Work From Home,Vinna heiman DocType: Purchase Invoice,Select Supplier Address,Veldu Birgir Address apps/erpnext/erpnext/public/js/event.js,Add Employees,Bæta Starfsmenn DocType: Purchase Invoice Item,Quality Inspection,Quality Inspection @@ -4935,8 +4939,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,Leyfisveitandi URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Upphæð {0} {1} {2} {3} DocType: Account,Depreciation,gengislækkun -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Vinsamlegast eytt starfsmanninum {0} \ til að hætta við þetta skjal" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Fjöldi hluta og hlutanúmer eru ósamræmi apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Birgir (s) DocType: Employee Attendance Tool,Employee Attendance Tool,Starfsmaður Aðsókn Tool @@ -5241,7 +5243,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Greiningarkerfi plantna DocType: Cheque Print Template,Cheque Height,ávísun Hæð DocType: Supplier,Supplier Details,birgir Upplýsingar DocType: Setup Progress,Setup Progress,Uppsetning framfarir -DocType: Expense Claim,Approval Status,Staða samþykkis apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Frá gildi verður að vera minna en að verðmæti í röð {0} DocType: Program,Intro Video,Inngangsvideo DocType: Manufacturing Settings,Default Warehouses for Production,Sjálfgefin vöruhús til framleiðslu @@ -5582,7 +5583,6 @@ DocType: Purchase Invoice,Rounded Total,Ávalur Total apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots fyrir {0} eru ekki bætt við áætlunina DocType: Product Bundle,List items that form the package.,Listaatriði sem mynda pakka. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Miða staðsetningu er krafist við flutning eigna {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Ekki leyfilegt. Vinsamlega slökkva á prófunarsniðinu DocType: Sales Invoice,Distance (in km),Fjarlægð (í km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Hlutfall Úthlutun skal vera jafnt og 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Vinsamlegast veldu dagsetningu birtingar áður en þú velur Party @@ -5712,7 +5712,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Verðskrá Exchange Rate apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Allir Birgir Hópar DocType: Employee Boarding Activity,Required for Employee Creation,Nauðsynlegt fyrir starfsmannasköpun -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Birgir> Gerð birgis apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Reikningsnúmer {0} þegar notað í reikningnum {1} DocType: GoCardless Mandate,Mandate,Umboð DocType: Hotel Room Reservation,Booked,Bókað @@ -5778,7 +5777,6 @@ DocType: Production Plan Item,Product Bundle Item,Vara Knippi Item DocType: Sales Partner,Sales Partner Name,Heiti Sales Partner apps/erpnext/erpnext/hooks.py,Request for Quotations,Beiðni um tilvitnanir DocType: Payment Reconciliation,Maximum Invoice Amount,Hámarks Invoice Amount -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () mistókst fyrir tómt IBAN DocType: Normal Test Items,Normal Test Items,Venjuleg prófunaratriði DocType: QuickBooks Migrator,Company Settings,Fyrirtæki Stillingar DocType: Additional Salary,Overwrite Salary Structure Amount,Yfirskrifa launauppbyggingarfjárhæð @@ -5929,6 +5927,7 @@ DocType: Issue,Resolution By Variance,Upplausn eftir breytileika DocType: Leave Allocation,Leave Period,Leyfi DocType: Item,Default Material Request Type,Default Efni Beiðni Type DocType: Supplier Scorecard,Evaluation Period,Matartímabil +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Viðskiptavinur> Viðskiptavinahópur> Landsvæði apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,óþekkt apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Vinna Order ekki búið til apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6287,8 +6286,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Nauðsynlegt magn DocType: Lab Test Template,Lab Test Template,Lab Test Sniðmát apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Reikningstímabil skarast við {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Birgir> Gerð birgis apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Sölureikningur DocType: Purchase Invoice Item,Total Weight,Heildarþyngd +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Vinsamlegast eytt starfsmanninum {0} \ til að hætta við þetta skjal" DocType: Pick List Item,Pick List Item,Veldu listalista apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Þóknun á sölu DocType: Job Offer Term,Value / Description,Gildi / Lýsing @@ -6403,6 +6405,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Skráður á DocType: Bank Account,Party Type,Party Type DocType: Discounted Invoice,Discounted Invoice,Afsláttur reikninga +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Merkja mætingu sem DocType: Payment Schedule,Payment Schedule,Greiðsluáætlun apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Enginn starfsmaður fannst fyrir tiltekið gildi starfsmanns. '{}': {} DocType: Item Attribute Value,Abbreviation,skammstöfun @@ -6504,7 +6507,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Ástæða þess að setja DocType: Employee,Personal Email,Starfsfólk Email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,alls Dreifni DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ef þetta er virkt, mun kerfið birta bókhald færslur fyrir birgðum sjálfkrafa." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () samþykkti ógildan IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Miðlari apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Mæting fyrir starfsmann {0} er þegar merkt fyrir þennan dag DocType: Work Order Operation,"in Minutes @@ -6774,6 +6776,7 @@ DocType: Appointment,Customer Details,Nánar viðskiptavina apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Prentaðu IRS 1099 eyðublöð DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Athugaðu hvort eignir krefjast fyrirbyggjandi viðhalds eða kvörðunar apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Fyrirtæki Skammstöfun getur ekki haft meira en 5 stafi +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Móðurfélag verður að vera samstæðufyrirtæki DocType: Employee,Reports to,skýrslur til ,Unpaid Expense Claim,Ógreitt Expense Krafa DocType: Payment Entry,Paid Amount,greiddur Upphæð @@ -6861,6 +6864,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Upp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Bæði upphafstímabil og prófunartímabil verður að vera stillt apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Meðaltal +DocType: Appointment,Appointment With,Ráðning með apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Samtals greiðslugjald í greiðsluáætlun verður að vera jafnt við Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",„Hlutur sem veittur er af viðskiptavini“ getur ekki haft matshlutfall DocType: Subscription Plan Detail,Plan,Áætlun @@ -6993,7 +6997,6 @@ DocType: Customer,Customer Primary Contact,Tengiliður viðskiptavina apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Upp / Leið% DocType: Bank Guarantee,Bank Account Info,Bankareikningsupplýsingar DocType: Bank Guarantee,Bank Guarantee Type,Bankareikningsgerð -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () mistókst fyrir gilt IBAN {} DocType: Payment Schedule,Invoice Portion,Reikningshluti ,Asset Depreciations and Balances,Eignastýring Afskriftir og jafnvægi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Upphæð {0} {1} flutt frá {2} til {3} @@ -7657,7 +7660,6 @@ DocType: Dosage Form,Dosage Form,Skammtaform apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Vinsamlegast settu upp herferðaráætlunina í herferðinni {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Verðskrá húsbóndi. DocType: Task,Review Date,Review Date -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Merkja mætingu sem DocType: BOM,Allow Alternative Item,Leyfa öðru hluti apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Innkaupakvittun er ekki með neinn hlut sem varðveita sýnishorn er virkt fyrir. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Heildarfjárhæð reikninga @@ -7885,7 +7887,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Hámarksfjöldi endurheimta apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Verðlisti fannst ekki eða fatlaður DocType: Content Activity,Last Activity ,Síðasta virkni -DocType: Student Applicant,Approved,samþykkt DocType: Pricing Rule,Price,verð apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Starfsmaður létta á {0} skal stilla eins 'Vinstri' DocType: Guardian,Guardian,Guardian @@ -8056,6 +8057,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Hlutfall frádráttar DocType: GL Entry,To Rename,Að endurnefna DocType: Stock Entry,Repack,gera við apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Veldu að bæta við raðnúmeri. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vinsamlegast settu upp kennslukerfi kennslukerfis í menntun> Menntunarstillingar apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Vinsamlegast stilltu reikningskóða fyrir viðskiptavininn '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Vinsamlegast veldu félagið fyrst DocType: Item Attribute,Numeric Values,talnagildi @@ -8072,6 +8074,7 @@ DocType: Salary Detail,Additional Amount,Viðbótarupphæð apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Karfan er tóm apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Liður {0} er ekki með raðnúmer. Aðeins serilialized hlutir \ geta fengið afhendingu byggt á raðnúmeri +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Afskrifuð fjárhæð DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Raunveruleg rekstrarkostnaður DocType: Payment Entry,Cheque/Reference No,Ávísun / tilvísunarnúmer diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv index ad74047cc7..ce69518211 100644 --- a/erpnext/translations/it.csv +++ b/erpnext/translations/it.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Importo dell'esenzione DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nuovo tasso di cambio apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},E' necessario specificare la valuta per il listino prezzi {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Sarà calcolato nella transazione -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Si prega di impostare il sistema di denominazione dei dipendenti in Risorse umane> Impostazioni risorse umane DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Customer Contact DocType: Shift Type,Enable Auto Attendance,Abilita assistenza automatica @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Tutti i Contatti Fornitori DocType: Support Settings,Support Settings,Impostazioni di supporto apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},L'account {0} è stato aggiunto nell'azienda figlio {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Credenziali non valide +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Segna il lavoro da casa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC disponibile (sia nella parte operativa completa) DocType: Amazon MWS Settings,Amazon MWS Settings,Impostazioni Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Elaborazione di buoni @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Importo IVA art apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Dettagli iscrizione apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Il campo Fornitore è richiesto per il conto di debito {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Oggetti e prezzi -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Gruppo di clienti> Territorio apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Ore totali: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Dalla data deve essere entro l'anno fiscale. Assumendo Dalla Data = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Opzione selezionata DocType: SG Creation Tool Course,SG Creation Tool Course,SG Corso strumento di creazione DocType: Bank Statement Transaction Invoice Item,Payment Description,Descrizione del pagamento -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Impostare Naming Series per {0} tramite Setup> Impostazioni> Naming Series apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,insufficiente della DocType: Email Digest,New Sales Orders,Nuovi Ordini di vendita DocType: Bank Account,Bank Account,Conto Bancario @@ -774,6 +772,7 @@ DocType: Request for Quotation,Request for Quotation,Richiesta di offerta DocType: Healthcare Settings,Require Lab Test Approval,Richiede l'approvazione di un test di laboratorio DocType: Attendance,Working Hours,Orari di lavoro apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Assolutamente stupendo +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Fattore di conversione UOM ({0} -> {1}) non trovato per l'articolo: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Cambia l'inizio/numero sequenza corrente per una serie esistente DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Percentuale che ti è consentita di fatturare di più rispetto all'importo ordinato. Ad esempio: se il valore dell'ordine è $ 100 per un articolo e la tolleranza è impostata sul 10%, è possibile fatturare $ 110." DocType: Dosage Strength,Strength,Forza @@ -1262,7 +1261,6 @@ DocType: Timesheet,Total Billed Hours,Totale Ore Fatturate DocType: Pricing Rule Item Group,Pricing Rule Item Group,Gruppo articoli regola prezzi DocType: Travel Itinerary,Travel To,Viaggiare a apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Master di rivalutazione del tasso di cambio. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Impostare le serie di numerazione per la partecipazione tramite Impostazione> Serie di numerazione apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Importo Svalutazione DocType: Leave Block List Allow,Allow User,Consenti Utente DocType: Journal Entry,Bill No,Fattura N. @@ -1634,6 +1632,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Incentivi apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Valori non sincronizzati apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Differenza Valore +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Impostare le serie di numerazione per la partecipazione tramite Impostazione> Serie di numerazione DocType: SMS Log,Requested Numbers,Numeri richiesti DocType: Volunteer,Evening,Sera DocType: Quiz,Quiz Configuration,Configurazione del quiz @@ -1801,6 +1800,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Dal luogo DocType: Student Admission,Publish on website,Pubblicare sul sito web apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,La data Fattura Fornitore non può essere superiore della Data Registrazione DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codice articolo> Gruppo articoli> Marchio DocType: Subscription,Cancelation Date,Data di cancellazione DocType: Purchase Invoice Item,Purchase Order Item,Articolo dell'Ordine di Acquisto DocType: Agriculture Task,Agriculture Task,Attività agricola @@ -2401,7 +2401,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Lastre di sconto prodotto DocType: Target Detail,Target Distribution,Distribuzione di destinazione DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalizzazione della valutazione provvisoria apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Parti e indirizzi importatori -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Fattore di conversione UOM ({0} -> {1}) non trovato per l'articolo: {2} DocType: Salary Slip,Bank Account No.,Conto Bancario N. DocType: Naming Series,This is the number of the last created transaction with this prefix,Questo è il numero dell'ultimo transazione creata con questo prefisso DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2794,6 +2793,9 @@ DocType: Company,Default Holiday List,Lista vacanze predefinita DocType: Pricing Rule,Supplier Group,Gruppo di fornitori apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Riga {0}: From Time To Time e di {1} si sovrappone {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",Esiste già una DBA con nome {0} per l'articolo {1}.
Hai rinominato l'articolo? Si prega di contattare il supporto tecnico / amministratore apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Passività in Giacenza DocType: Purchase Invoice,Supplier Warehouse,Magazzino Fornitore DocType: Opportunity,Contact Mobile No,Cellulare Contatto @@ -3236,6 +3238,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Tavolo riunioni di qualità apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Visita i forum +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Impossibile completare l'attività {0} poiché l'attività dipendente {1} non è stata completata / annullata. DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,Ha varianti DocType: Employee Benefit Claim,Claim Benefit For,Reclamo Beneficio per @@ -3395,7 +3398,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Importo totale di fatturazio apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Crea un programma tariffario apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Ripetere Revenue clienti DocType: Soil Texture,Silty Clay Loam,Argilloso Silty Clay -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configura il sistema di denominazione dell'istruttore in Istruzione> Impostazioni istruzione DocType: Quiz,Enter 0 to waive limit,Immettere 0 per rinunciare al limite DocType: Bank Statement Settings,Mapped Items,Elementi mappati DocType: Amazon MWS Settings,IT,IT @@ -3429,7 +3431,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Non ci sono abbastanza risorse create o collegate a {0}. \ Crea o collega {1} risorse con il rispettivo documento. DocType: Pricing Rule,Apply Rule On Brand,Applica la regola sul marchio DocType: Task,Actual End Date (via Time Sheet),Data di fine effettiva (da Time Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Impossibile chiudere l'attività {0} poiché l'attività dipendente {1} non è chiusa. DocType: Soil Texture,Soil Type,Tipo di terreno apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Importo {0} {1} contro {2} {3} ,Quotation Trends,Tendenze di preventivo @@ -3459,6 +3460,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Autovettura DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Scorecard fornitore permanente apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Riga {0}: Distinta materiali non trovato per la voce {1} DocType: Contract Fulfilment Checklist,Requirement,Requisiti +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configurare il sistema di denominazione dei dipendenti in Risorse umane> Impostazioni risorse umane DocType: Journal Entry,Accounts Receivable,Conti esigibili DocType: Quality Goal,Objectives,obiettivi DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Ruolo autorizzato a creare un'applicazione congedo retrodatata @@ -3600,6 +3602,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Applicato apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Dettagli sui rifornimenti esteriori e sui rifornimenti interni soggetti a addebito inverso apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Riaprire +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Non consentito. Disabilitare il modello di test di laboratorio DocType: Sales Invoice Item,Qty as per Stock UOM,Quantità come da UOM Archivio apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nome Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Azienda principale @@ -3658,6 +3661,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tipo di affare DocType: Sales Invoice,Consumer,Consumatore apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Seleziona importo assegnato, Tipo fattura e fattura numero in almeno uno di fila" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Impostare Naming Series per {0} tramite Setup> Impostazioni> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Costo del nuovo acquisto apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Ordine di Vendita necessario per l'Articolo {0} DocType: Grant Application,Grant Description,Descrizione della sovvenzione @@ -3683,7 +3687,6 @@ DocType: Payment Request,Transaction Details,Dettagli di Transazione apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,Si prega di cliccare su ' Generate Schedule ' per ottenere pianificazione DocType: Item,"Purchase, Replenishment Details","Dettagli acquisto, rifornimento" DocType: Products Settings,Enable Field Filters,Abilita filtri di campo -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codice articolo> Gruppo articoli> Marchio apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also",L '"Articolo fornito dal cliente" non può essere anche Articolo d'acquisto DocType: Blanket Order Item,Ordered Quantity,Quantità Ordinata apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","p. es. "" Costruire strumenti per i costruttori """ @@ -4153,7 +4156,7 @@ DocType: BOM,Operating Cost (Company Currency),Costi di funzionamento (Società DocType: Authorization Rule,Applicable To (Role),Applicabile a (Ruolo) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Ferie in sospeso DocType: BOM Update Tool,Replace BOM,Sostituire il BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Il codice {0} esiste già +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Il codice {0} esiste già DocType: Patient Encounter,Procedures,procedure apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Gli ordini di vendita non sono disponibili per la produzione DocType: Asset Movement,Purpose,Scopo @@ -4269,6 +4272,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Ignora sovrapposizione t DocType: Warranty Claim,Service Address,Service Indirizzo apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importa dati anagrafici DocType: Asset Maintenance Task,Calibration,Calibrazione +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,L'articolo del test di laboratorio {0} esiste già apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} è una chiusura aziendale apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Ore fatturabili apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Invia notifica di stato @@ -4631,7 +4635,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,stipendio Register DocType: Company,Default warehouse for Sales Return,Magazzino predefinito per il reso DocType: Pick List,Parent Warehouse,Magazzino padre -DocType: Subscription,Net Total,Totale Netto +DocType: C-Form Invoice Detail,Net Total,Totale Netto apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Imposta la durata dell'articolo in giorni, per impostare la scadenza in base alla data di produzione più la durata." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},La Distinta Base di default non è stata trovata per l'oggetto {0} e il progetto {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Riga {0}: imposta la Modalità di pagamento in Pianificazione pagamenti @@ -4746,7 +4750,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Il Magazzino di Destinazione per il rigo {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Le operazioni di vendita al dettaglio DocType: Cheque Print Template,Primary Settings,Impostazioni primarie -DocType: Attendance Request,Work From Home,Lavoro da casa +DocType: Attendance,Work From Home,Lavoro da casa DocType: Purchase Invoice,Select Supplier Address,Selezionare l'indirizzo del Fornitore apps/erpnext/erpnext/public/js/event.js,Add Employees,Aggiungi dipendenti DocType: Purchase Invoice Item,Quality Inspection,Controllo Qualità @@ -4935,6 +4939,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,[Error],[Er apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Riconcilia voci DocType: Sales Order,In Words will be visible once you save the Sales Order.,In parole saranno visibili una volta che si salva l'ordine di vendita. ,Employee Birthday,Compleanno Dipendente +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Riga # {0}: Cost Center {1} non appartiene alla società {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Selezionare la data di completamento per la riparazione completata DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Strumento Presenze Studente Massivo apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,limite Crossed @@ -4987,8 +4992,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL di autorizzazione apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Importo {0} {1} {2} {3} DocType: Account,Depreciation,ammortamento -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Elimina il dipendente {0} \ per annullare questo documento" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Il numero di condivisioni e i numeri di condivisione sono incoerenti apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Fornitore(i) DocType: Employee Attendance Tool,Employee Attendance Tool,Strumento Presenze Dipendente @@ -5293,7 +5296,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Criteri di analisi dell DocType: Cheque Print Template,Cheque Height,Altezza Assegno DocType: Supplier,Supplier Details,Dettagli del Fornitore DocType: Setup Progress,Setup Progress,Avanzamento configurazione -DocType: Expense Claim,Approval Status,Stato Approvazione apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Dal valore deve essere inferiore al valore nella riga {0} DocType: Program,Intro Video,Video introduttivo DocType: Manufacturing Settings,Default Warehouses for Production,Magazzini predefiniti per la produzione @@ -5635,7 +5637,6 @@ DocType: Purchase Invoice,Rounded Total,Totale arrotondato apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Gli slot per {0} non vengono aggiunti alla pianificazione DocType: Product Bundle,List items that form the package.,Voci di elenco che formano il pacchetto. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Posizione di destinazione richiesta durante il trasferimento di risorse {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Non consentito. Si prega di disabilitare il modello di test DocType: Sales Invoice,Distance (in km),Distanza (in km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Percentuale di ripartizione dovrebbe essere pari al 100 % apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Si prega di selezionare la data di registrazione prima di selezionare il Partner @@ -5765,7 +5766,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Listino Prezzi Tasso di Cambio apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Tutti i gruppi fornitori DocType: Employee Boarding Activity,Required for Employee Creation,Obbligatorio per la creazione di dipendenti -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornitore> Tipo di fornitore apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Numero di conto {0} già utilizzato nell'account {1} DocType: GoCardless Mandate,Mandate,Mandato DocType: Hotel Room Reservation,Booked,Prenotato @@ -5831,7 +5831,6 @@ DocType: Production Plan Item,Product Bundle Item,Prodotto Bundle Voce DocType: Sales Partner,Sales Partner Name,Nome partner vendite apps/erpnext/erpnext/hooks.py,Request for Quotations,Richieste di offerta DocType: Payment Reconciliation,Maximum Invoice Amount,Importo Massimo Fattura -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () non riuscito per IBAN vuoto DocType: Normal Test Items,Normal Test Items,Elementi di prova normali DocType: QuickBooks Migrator,Company Settings,Impostazioni Azienda DocType: Additional Salary,Overwrite Salary Structure Amount,Sovrascrivi importo struttura salariale @@ -5982,6 +5981,7 @@ DocType: Issue,Resolution By Variance,Risoluzione per varianza DocType: Leave Allocation,Leave Period,Lascia il Periodo DocType: Item,Default Material Request Type,Tipo di richiesta Materiale Predefinito DocType: Supplier Scorecard,Evaluation Period,Periodo di valutazione +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Gruppo di clienti> Territorio apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Sconosciuto apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Ordine di lavoro non creato apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6340,8 +6340,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Quantità richiesta DocType: Lab Test Template,Lab Test Template,Modello di prova del laboratorio apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Il periodo contabile si sovrappone a {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornitore> Tipo di fornitore apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Conto vendita DocType: Purchase Invoice Item,Total Weight,Peso totale +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Elimina il dipendente {0} \ per annullare questo documento" DocType: Pick List Item,Pick List Item,Seleziona elemento dell'elenco apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Commissione sulle vendite DocType: Job Offer Term,Value / Description,Valore / Descrizione @@ -6456,6 +6459,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Firmato DocType: Bank Account,Party Type,Tipo Partner DocType: Discounted Invoice,Discounted Invoice,Fattura scontata +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Segna la partecipazione come DocType: Payment Schedule,Payment Schedule,Programma di pagamento apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nessun dipendente trovato per il valore del campo dato dipendente. '{}': {} DocType: Item Attribute Value,Abbreviation,Abbreviazione @@ -6557,7 +6561,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Motivo per mettere in attes DocType: Employee,Personal Email,Email personale apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Varianza totale DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Se abilitato, il sistema pubblicherà le scritture contabili per l'inventario automatico." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () accettato IBAN non valido {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Mediazione apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,La presenza per il dipendente {0} è già registrata per questo giorno DocType: Work Order Operation,"in Minutes @@ -6827,6 +6830,7 @@ DocType: Appointment,Customer Details,Dettagli Cliente apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Stampa moduli IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Controllare se Asset richiede manutenzione preventiva o calibrazione apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,L'abbreviazione della compagnia non può contenere più di 5 caratteri +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,La Capogruppo deve essere una società del gruppo DocType: Employee,Reports to,Report a ,Unpaid Expense Claim,Richiesta di spesa non retribuita DocType: Payment Entry,Paid Amount,Importo pagato @@ -6914,6 +6918,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,È necessario impostare la Data di inizio del periodo di prova e la Data di fine del periodo di prova apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Tasso medio +DocType: Appointment,Appointment With,Appuntamento con apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,L'importo totale del pagamento nel programma di pagamento deve essere uguale al totale totale / arrotondato apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Articolo fornito dal cliente" non può avere un tasso di valutazione DocType: Subscription Plan Detail,Plan,Piano @@ -7046,7 +7051,6 @@ DocType: Customer,Customer Primary Contact,Contatto Principale Cliente apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Informazioni sul conto bancario DocType: Bank Guarantee,Bank Guarantee Type,Tipo di garanzia bancaria -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () non riuscito per IBAN valido {} DocType: Payment Schedule,Invoice Portion,Porzione di fattura ,Asset Depreciations and Balances,Asset Ammortamenti e saldi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Importo {0} {1} trasferito da {2} a {3} @@ -7710,7 +7714,6 @@ DocType: Dosage Form,Dosage Form,Forma di dosaggio apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Imposta il programma della campagna nella campagna {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Maestro listino prezzi. DocType: Task,Review Date,Data di revisione -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Segna la partecipazione come DocType: BOM,Allow Alternative Item,Consenti articolo alternativo apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,La ricevuta di acquisto non ha articoli per i quali è abilitato Conserva campione. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Totale totale fattura @@ -7938,7 +7941,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Limite massimo tentativi apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Listino Prezzi non trovato o disattivato DocType: Content Activity,Last Activity ,L'ultima attività -DocType: Student Applicant,Approved,Approvato DocType: Pricing Rule,Price,Prezzo apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Dipendente esonerato da {0} deve essere impostato come 'Congedato' DocType: Guardian,Guardian,Custode @@ -8109,6 +8111,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Detrazione percentuale DocType: GL Entry,To Rename,Rinominare DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Selezionare per aggiungere il numero di serie. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configura il sistema di denominazione dell'istruttore in Istruzione> Impostazioni istruzione apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Si prega di impostare il codice fiscale per il cliente '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Si prega di selezionare la società per primo DocType: Item Attribute,Numeric Values,Valori numerici @@ -8125,6 +8128,7 @@ DocType: Salary Detail,Additional Amount,Importo aggiuntivo apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Il carrello è vuoto apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",L'articolo {0} non ha numero di serie. Solo articoli serilializzati \ può avere consegna in base al numero di serie +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Ammortamento DocType: Vehicle,Model,Modello DocType: Work Order,Actual Operating Cost,Costo operativo effettivo DocType: Payment Entry,Cheque/Reference No,N. di riferimento diff --git a/erpnext/translations/ja.csv b/erpnext/translations/ja.csv index 32534cbe02..0dc49e4090 100644 --- a/erpnext/translations/ja.csv +++ b/erpnext/translations/ja.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,標準免税額 DocType: Exchange Rate Revaluation Account,New Exchange Rate,新しい為替レート apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},価格表{0}には通貨が必要です DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,※取引内で計算されます。 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,人事管理> HR設定で従業員命名システムを設定してください DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT- .YYYY.- DocType: Purchase Order,Customer Contact,顧客連絡先 DocType: Shift Type,Enable Auto Attendance,自動参加を有効にする @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,全てのサプライヤー連絡先 DocType: Support Settings,Support Settings,サポートの設定 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},アカウント{0}が子会社{1}に追加されました apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,無効な資格情報 +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,自宅から仕事をマークする apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),利用可能なITC(完全な一部かどうかにかかわらず) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWSの設定 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,伝票の処理 @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,値に含まれ apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,メンバーシップの詳細 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}:サプライヤーは、買掛金勘定に対して必要とされている{2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,アイテムと価格 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,顧客>顧客グループ>テリトリー apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},合計時間:{0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},開始日は当会計年度内にする必要があります。(もしかして:開始日= {0}) DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,選択されたオプション DocType: SG Creation Tool Course,SG Creation Tool Course,SG作成ツールコース DocType: Bank Statement Transaction Invoice Item,Payment Description,支払明細 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,[設定]> [設定]> [命名シリーズ]で{0}の命名シリーズを設定してください apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,不十分な証券 DocType: Email Digest,New Sales Orders,新しい注文 DocType: Bank Account,Bank Account,銀行口座 @@ -775,6 +773,7 @@ DocType: Request for Quotation,Request for Quotation,見積依頼 DocType: Healthcare Settings,Require Lab Test Approval,ラボテスト承認が必要 DocType: Attendance,Working Hours,労働時間 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,残高の総額 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},アイテムのUOM換算係数({0}-> {1})が見つかりません:{2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,既存のシリーズについて、開始/現在の連続番号を変更します。 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,あなたが注文した金額に対してもっと請求することを許可されている割合。たとえば、注文の金額が100ドルで、許容範囲が10%に設定されている場合、110ドルの請求が許可されます。 DocType: Dosage Strength,Strength,力 @@ -1263,7 +1262,6 @@ DocType: Timesheet,Total Billed Hours,請求された総時間 DocType: Pricing Rule Item Group,Pricing Rule Item Group,価格設定ルール明細グループ DocType: Travel Itinerary,Travel To,に旅行する apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,為替レート再評価マスタ。 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,[設定]> [番号シリーズ]を使用して、出席の番号シリーズを設定してください apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,償却額 DocType: Leave Block List Allow,Allow User,ユーザを許可 DocType: Journal Entry,Bill No,請求番号 @@ -1642,6 +1640,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,インセンティブ apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,同期していない値 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,差額 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,[設定]> [番号シリーズ]を使用して、出席の番号シリーズを設定してください DocType: SMS Log,Requested Numbers,要求された番号 DocType: Volunteer,Evening,イブニング DocType: Quiz,Quiz Configuration,クイズの設定 @@ -1809,6 +1808,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,場所か DocType: Student Admission,Publish on website,ウェブサイト上で公開 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,サプライヤの請求書の日付は、転記日を超えることはできません DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品コード>商品グループ>ブランド DocType: Subscription,Cancelation Date,キャンセル日 DocType: Purchase Invoice Item,Purchase Order Item,発注アイテム DocType: Agriculture Task,Agriculture Task,農業タスク @@ -2409,7 +2409,6 @@ DocType: Promotional Scheme,Product Discount Slabs,製品割引スラブ DocType: Target Detail,Target Distribution,ターゲット区分 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 - 暫定評価の最終決定 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,パーティーと住所のインポート -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},アイテムのUOM換算係数({0}-> {1})が見つかりません:{2} DocType: Salary Slip,Bank Account No.,銀行口座番号 DocType: Naming Series,This is the number of the last created transaction with this prefix,この接頭辞が付いた最新の取引番号です DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2803,6 +2802,9 @@ DocType: Company,Default Holiday List,デフォルト休暇リスト DocType: Pricing Rule,Supplier Group,サプライヤーグループ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0}ダイジェスト apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},行{0}:の時間との時間から{1}と重なっている{2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",アイテム{1}の名前{0}のBOMは既に存在します。
アイテムの名前を変更しましたか?管理者/テクニカルサポートに連絡してください apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,在庫負債 DocType: Purchase Invoice,Supplier Warehouse,サプライヤー倉庫 DocType: Opportunity,Contact Mobile No,連絡先携帯番号 @@ -3246,6 +3248,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,品質会議テーブル apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,フォーラムにアクセス +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,依存タスク{1}が未完了/キャンセルされていないため、タスク{0}を完了できません。 DocType: Student,Student Mobile Number,生徒携帯電話番号 DocType: Item,Has Variants,バリエーションあり DocType: Employee Benefit Claim,Claim Benefit For,のための請求の利益 @@ -3404,7 +3407,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),合計請求金額(勤務 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,料金表を作成する apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,リピート顧客の収益 DocType: Soil Texture,Silty Clay Loam,シルト質粘土ロ-ム -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,[教育]> [教育の設定]でインストラクターの命名システムを設定してください DocType: Quiz,Enter 0 to waive limit,制限を放棄するには0を入力 DocType: Bank Statement Settings,Mapped Items,マップされたアイテム DocType: Amazon MWS Settings,IT,それ @@ -3438,7 +3440,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",{0}に作成またはリンクされたアセットが不足しています。 \ {1}アセットをそれぞれのドキュメントで作成またはリンクしてください。 DocType: Pricing Rule,Apply Rule On Brand,ブランドにルールを適用 DocType: Task,Actual End Date (via Time Sheet),実際の終了日(勤務表による) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,依存タスク{1}が閉じられていないため、タスク{0}を閉じることができません。 DocType: Soil Texture,Soil Type,土壌タイプ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},量{0} {1} {2} {3}に対して、 ,Quotation Trends,見積傾向 @@ -3468,6 +3469,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,自動運転車 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,サプライヤスコアカード apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},列{0}:アイテム {1} の部品表が見つかりません DocType: Contract Fulfilment Checklist,Requirement,要件 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,人事管理> HR設定で従業員命名システムを設定してください DocType: Journal Entry,Accounts Receivable,売掛金 DocType: Quality Goal,Objectives,目的 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,バックデート休暇アプリケーションの作成を許可されたロール @@ -3609,6 +3611,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,適用済 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,リバースチャージが発生する可能性がある外向き供給および内向き供給の詳細 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,再オープン +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,許可されていません。ラボテストテンプレートを無効にしてください DocType: Sales Invoice Item,Qty as per Stock UOM,在庫単位ごとの数量 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,保護者2 名前 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,ルート会社 @@ -3667,6 +3670,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,業種 DocType: Sales Invoice,Consumer,消費者 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",割当額、請求タイプ、請求書番号を少なくとも1つの行から選択してください +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,[設定]> [設定]> [命名シリーズ]で{0}の命名シリーズを設定してください apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,新規購入のコスト apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},受注に必要な項目{0} DocType: Grant Application,Grant Description,助成金説明 @@ -3692,7 +3696,6 @@ DocType: Payment Request,Transaction Details,取引の詳細 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,「スケジュールを生成」をクリックしてスケジュールを取得してください DocType: Item,"Purchase, Replenishment Details",購入、補充の詳細 DocType: Products Settings,Enable Field Filters,フィールドフィルタを有効にする -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品コード>商品グループ>ブランド apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also",顧客提供のアイテムのため購入アイテムにできません。 DocType: Blanket Order Item,Ordered Quantity,注文数 apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",例「ビルダーのためのツール構築」 @@ -4163,7 +4166,7 @@ DocType: BOM,Operating Cost (Company Currency),営業費用(会社通貨) DocType: Authorization Rule,Applicable To (Role),(役割)に適用 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,保留中の葉 DocType: BOM Update Tool,Replace BOM,BOMを置き換える -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,コード{0}は既に存在します +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,コード{0}は既に存在します DocType: Patient Encounter,Procedures,手続き apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,生産のための受注はありません DocType: Asset Movement,Purpose,目的 @@ -4286,6 +4289,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,従業員の時間の重 DocType: Warranty Claim,Service Address,所在地 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,マスタデータのインポート DocType: Asset Maintenance Task,Calibration,キャリブレーション +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ラボテスト項目{0}は既に存在します apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0}は会社の休日です apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,請求可能時間 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,ステータス通知を残す @@ -4647,7 +4651,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,給与登録 DocType: Company,Default warehouse for Sales Return,返品のデフォルト倉庫 DocType: Pick List,Parent Warehouse,親倉庫 -DocType: Subscription,Net Total,差引計 +DocType: C-Form Invoice Detail,Net Total,差引計 apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",製造日と有効期間に基づいて有効期限を設定するには、日数で品目の有効期間を設定します。 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},アイテム{0}およびプロジェクト{1}にデフォルトBOMが見つかりません apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,行{0}:支払いスケジュールに支払い方法を設定してください @@ -4762,7 +4766,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},{0}行にターゲット倉庫が必須です。 apps/erpnext/erpnext/config/retail.py,Retail Operations,リテール事業 DocType: Cheque Print Template,Primary Settings,優先設定 -DocType: Attendance Request,Work From Home,在宅勤務 +DocType: Attendance,Work From Home,在宅勤務 DocType: Purchase Invoice,Select Supplier Address,サプライヤー住所を選択 apps/erpnext/erpnext/public/js/event.js,Add Employees,従業員追加 DocType: Purchase Invoice Item,Quality Inspection,品質検査 @@ -5004,8 +5008,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,承認URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},量{0} {1} {2} {3} DocType: Account,Depreciation,減価償却 -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","このドキュメントをキャンセルするには、従業員{0} \を削除してください" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,株式数と株式数が矛盾している apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),サプライヤー DocType: Employee Attendance Tool,Employee Attendance Tool,従業員出勤ツール @@ -5310,7 +5312,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,植物分析基準 DocType: Cheque Print Template,Cheque Height,小切手の高さ DocType: Supplier,Supplier Details,サプライヤー詳細 DocType: Setup Progress,Setup Progress,セットアップの進捗状況 -DocType: Expense Claim,Approval Status,承認ステータス apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},行{0}の値以下の値でなければなりません DocType: Program,Intro Video,イントロビデオ DocType: Manufacturing Settings,Default Warehouses for Production,本番用のデフォルト倉庫 @@ -5651,7 +5652,6 @@ DocType: Purchase Invoice,Rounded Total,合計(四捨五入) apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0}のスロットはスケジュールに追加されません DocType: Product Bundle,List items that form the package.,梱包を形成するリストアイテム apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},アセット{0}の転送中にターゲットの場所が必要です -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,許可されていません。テストテンプレートを無効にしてください DocType: Sales Invoice,Distance (in km),距離(km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,割合の割り当ては100パーセントに等しくなければなりません apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,当事者を選択する前に転記日付を選択してください @@ -5781,7 +5781,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,価格表為替レート apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,すべてのサプライヤグループ DocType: Employee Boarding Activity,Required for Employee Creation,従業員の創造に必要なもの -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,サプライヤ>サプライヤタイプ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},アカウント番号{0}は既にアカウント{1}で使用されています DocType: GoCardless Mandate,Mandate,委任 DocType: Hotel Room Reservation,Booked,予約済み @@ -5847,7 +5846,6 @@ DocType: Production Plan Item,Product Bundle Item,製品付属品アイテム DocType: Sales Partner,Sales Partner Name,販売パートナー名 apps/erpnext/erpnext/hooks.py,Request for Quotations,見積依頼 DocType: Payment Reconciliation,Maximum Invoice Amount,最大請求額 -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban()が空のIBANに対して失敗しました DocType: Normal Test Items,Normal Test Items,通常のテスト項目 DocType: QuickBooks Migrator,Company Settings,会社の設定 DocType: Additional Salary,Overwrite Salary Structure Amount,上書き給与構造金額 @@ -5998,6 +5996,7 @@ DocType: Issue,Resolution By Variance,差異による解決 DocType: Leave Allocation,Leave Period,休暇 DocType: Item,Default Material Request Type,デフォルトの資材要求タイプ DocType: Supplier Scorecard,Evaluation Period,評価期間 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,顧客>顧客グループ>テリトリー apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,未知の apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,作業オーダーが作成されていない apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6356,8 +6355,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,シリ DocType: Material Request Plan Item,Required Quantity,必要数量 DocType: Lab Test Template,Lab Test Template,ラボテストテンプレート apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},会計期間が{0}と重複しています +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,サプライヤ>サプライヤタイプ apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,セールスアカウント DocType: Purchase Invoice Item,Total Weight,総重量 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","このドキュメントをキャンセルするには、従業員{0} \を削除してください" DocType: Pick List Item,Pick List Item,ピックリストアイテム apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,販売手数料 DocType: Job Offer Term,Value / Description,値/説明 @@ -6472,6 +6474,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,サインオン DocType: Bank Account,Party Type,当事者タイプ DocType: Discounted Invoice,Discounted Invoice,割引請求書 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,出席としてマーク DocType: Payment Schedule,Payment Schedule,支払いスケジュール apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},指定された従業員フィールド値に従業員が見つかりませんでした。 '{}':{} DocType: Item Attribute Value,Abbreviation,略語 @@ -6573,7 +6576,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,ホールドをする理由 DocType: Employee,Personal Email,個人メールアドレス apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,派生の合計 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",有効にすると、システムは自動的に在庫の会計エントリーを投稿します -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban()が無効なIBAN {}を受け入れました apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,証券仲介 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,従業員の出席は、{0}はすでにこの日のためにマークされています DocType: Work Order Operation,"in Minutes @@ -6844,6 +6846,7 @@ DocType: Appointment,Customer Details,顧客の詳細 apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS 1099フォームを印刷する DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,資産の予防的保守またはキャリブレーションが必要かどうかを確認する apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,会社の略語は5文字を超えることはできません +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,親会社はグループ会社でなければなりません DocType: Employee,Reports to,レポート先 ,Unpaid Expense Claim,未払い経費請求 DocType: Payment Entry,Paid Amount,支払金額 @@ -6929,6 +6932,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,機会数 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,試用期間開始日と試用期間終了日の両方を設定する必要があります apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,平均レート +DocType: Appointment,Appointment With,予定 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,支払スケジュールの総支払額は、総額/丸め合計と等しくなければなりません apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",顧客提供のアイテムに評価率を設定することはできません。 DocType: Subscription Plan Detail,Plan,計画 @@ -7061,7 +7065,6 @@ DocType: Customer,Customer Primary Contact,顧客一次連絡先 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,機会 / リード% DocType: Bank Guarantee,Bank Account Info,銀行口座情報 DocType: Bank Guarantee,Bank Guarantee Type,銀行保証タイプ -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},有効なIBAN {}に対してBankAccount.validate_iban()が失敗しました DocType: Payment Schedule,Invoice Portion,請求書部分 ,Asset Depreciations and Balances,資産減価償却と残高 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},量は{0} {1} {3}に{2}から転送します @@ -7727,7 +7730,6 @@ DocType: Dosage Form,Dosage Form,投薬形態 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},キャンペーン{0}でキャンペーンスケジュールを設定してください apps/erpnext/erpnext/config/buying.py,Price List master.,価格表マスター DocType: Task,Review Date,レビュー日 -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,出席にマークを付ける DocType: BOM,Allow Alternative Item,代替品を許可する apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,領収書には、サンプルの保持が有効になっているアイテムがありません。 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,請求書の合計 @@ -7955,7 +7957,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,最大リトライ回数 apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,価格表が見つからないか無効になっています DocType: Content Activity,Last Activity ,最後の活動 -DocType: Student Applicant,Approved,承認済 DocType: Pricing Rule,Price,価格 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0}から取り除かれた従業員は「退職」に設定されなければなりません DocType: Guardian,Guardian,保護者 @@ -8126,6 +8127,7 @@ DocType: Taxable Salary Slab,Percent Deduction,減額率 DocType: GL Entry,To Rename,名前を変更する DocType: Stock Entry,Repack,再梱包 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,シリアル番号を追加する場合に選択します。 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,[教育]> [教育の設定]でインストラクターの命名システムを設定してください apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',顧客 '%s'の会計コードを設定してください apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,最初に会社を選択してください DocType: Item Attribute,Numeric Values,数値 @@ -8142,6 +8144,7 @@ DocType: Salary Detail,Additional Amount,追加金額 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,カートは空です apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",アイテム{0}にはシリアル番号がありませんシリアル化アイテムのみがシリアル番号に基づいて配送できます +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,減価償却額 DocType: Vehicle,Model,モデル DocType: Work Order,Actual Operating Cost,実際の営業費用 DocType: Payment Entry,Cheque/Reference No,小切手/リファレンスなし diff --git a/erpnext/translations/km.csv b/erpnext/translations/km.csv index e657598403..1c0d27f1f4 100644 --- a/erpnext/translations/km.csv +++ b/erpnext/translations/km.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,ចំនួនទឹក DocType: Exchange Rate Revaluation Account,New Exchange Rate,អត្រាប្តូរប្រាក់ថ្មី apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},រូបិយប័ណ្ណត្រូវបានទាមទារសម្រាប់តារាងតម្លៃ {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* នឹងត្រូវបានគណនាក្នុងប្រតិបត្តិការនេះ។ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះនិយោជិកនៅក្នុងធនធានមនុស្ស> ការកំណត់ធនធានមនុស្ស DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT -YYYY.- DocType: Purchase Order,Customer Contact,ទំនាក់ទំនងអតិថិជន DocType: Shift Type,Enable Auto Attendance,បើកការចូលរួមដោយស្វ័យប្រវត្តិ។ @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,ទាំងអស់ផ្គត់ផ DocType: Support Settings,Support Settings,ការកំណត់ការគាំទ្រ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},គណនី {0} ត្រូវបានបន្ថែមនៅក្នុងក្រុមហ៊ុនកុមារ {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,លិខិតសម្គាល់មិនត្រឹមត្រូវ +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,សម្គាល់ការងារពីផ្ទះ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),មានអាយ។ ស៊ី។ ធី។ (មិនថាជាផ្នែកពេញលេញ) DocType: Amazon MWS Settings,Amazon MWS Settings,ការកំណត់ Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,ដំណើរការប័ណ្ណទូទាត់។ @@ -406,7 +406,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,ចំនួន apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,ពត៌មានលំអិតសមាជិក apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: អ្នកផ្គត់ផ្គង់គឺត្រូវបានទាមទារប្រឆាំងនឹងគណនីទូទាត់ {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,មុខទំនិញ និងតម្លៃ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,អតិថិជន> ក្រុមអតិថិជន> ទឹកដី apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},ម៉ោងសរុប: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},ពីកាលបរិច្ឆេទគួរជានៅក្នុងឆ្នាំសារពើពន្ធ។ សន្មត់ថាពីកាលបរិច្ឆេទ = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-yYYY.- @@ -453,7 +452,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,ជម្រើសដែលបានជ្រើសរើស។ DocType: SG Creation Tool Course,SG Creation Tool Course,វគ្គឧបករណ៍បង្កើត SG DocType: Bank Statement Transaction Invoice Item,Payment Description,ការពិពណ៌នាការបង់ប្រាក់ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,សូមកំណត់ឈ្មោះដាក់ឈ្មោះសំរាប់ {0} តាមរយៈតំឡើង> ការកំណត់> តំរុយឈ្មោះ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,ហ៊ុនមិនគ្រប់គ្រាន់ DocType: Email Digest,New Sales Orders,ការបញ្ជាទិញការលក់ការថ្មី DocType: Bank Account,Bank Account,គណនីធនាគារ @@ -1252,7 +1250,6 @@ DocType: Timesheet,Total Billed Hours,ម៉ោងធ្វើការបង់ DocType: Pricing Rule Item Group,Pricing Rule Item Group,វិធានកំណត់តម្លៃក្រុម។ DocType: Travel Itinerary,Travel To,ធ្វើដំណើរទៅកាន់ apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,មេវាយតម្លៃវាយតម្លៃអត្រាប្តូរប្រាក់។ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,សូមរៀបចំស៊េរីលេខរៀងសម្រាប់ការចូលរួមតាមរយៈតំឡើង> លេខរៀង apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,បិទការសរសេរចំនួនទឹកប្រាក់ DocType: Leave Block List Allow,Allow User,អនុញ្ញាតឱ្យអ្នកប្រើ DocType: Journal Entry,Bill No,គ្មានវិក័យប័ត្រ @@ -1603,6 +1600,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,ការលើកទឹកចិត្ត apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,គុណតម្លៃក្រៅសមកាលកម្ម apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,តម្លៃខុសគ្នា +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,សូមរៀបចំស៊េរីលេខរៀងសម្រាប់ការចូលរួមតាមរយៈតំឡើង> លេខរៀង DocType: SMS Log,Requested Numbers,លេខដែលបានស្នើ DocType: Volunteer,Evening,ល្ងាច DocType: Quiz,Quiz Configuration,ការកំណត់រចនាសម្ព័ន្ធសំណួរ។ @@ -1770,6 +1768,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,ពីទ DocType: Student Admission,Publish on website,បោះពុម្ពផ្សាយនៅលើគេហទំព័រ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,វិក័យប័ត្រក្រុមហ៊ុនផ្គត់ផ្គង់កាលបរិច្ឆេទមិនអាចច្រើនជាងកាលបរិច្ឆេទប្រកាស DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,លេខកូដរបស់ក្រុម> ក្រុមក្រុម> ម៉ាក DocType: Subscription,Cancelation Date,កាលបរិច្ឆេទបោះបង់ DocType: Purchase Invoice Item,Purchase Order Item,មុខទំនិញបញ្ជាទិញ DocType: Agriculture Task,Agriculture Task,កិច្ចការកសិកម្ម @@ -2754,6 +2753,9 @@ DocType: Company,Default Holiday List,បញ្ជីថ្ងៃឈប់សម DocType: Pricing Rule,Supplier Group,ក្រុមអ្នកផ្គត់ផ្គង់ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} សង្ខេប apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},ជួរដេក {0}: ពីពេលវេលានិងពេលវេលានៃ {1} ត្រូវបានត្រួតស៊ីគ្នាជាមួយ {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",BOM ដែលមានឈ្មោះ {0} មានរួចហើយសម្រាប់ធាតុ {1} ។
តើអ្នកបានប្តូរឈ្មោះធាតុទេ? សូមទាក់ទងរដ្ឋបាល / ជំនួយផ្នែកបច្ចេកទេស apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,បំណុលភាគហ៊ុន DocType: Purchase Invoice,Supplier Warehouse,ឃ្លាំងក្រុមហ៊ុនផ្គត់ផ្គង់ DocType: Opportunity,Contact Mobile No,ទំនាក់ទំនងទូរស័ព្ទគ្មាន @@ -3350,7 +3352,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),ចំនួនវិក័ apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,បង្កើតតារាងតំលៃ។ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,ប្រាក់ចំណូលគយបានធ្វើម្តងទៀត DocType: Soil Texture,Silty Clay Loam,ស៊ីធីដីឥដ្ឋលាំ -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,សូមតំឡើងប្រព័ន្ធដាក់ឈ្មោះគ្រូនៅក្នុងការអប់រំ> ការកំណត់ការអប់រំ DocType: Quiz,Enter 0 to waive limit,បញ្ចូលលេខ ០ ដើម្បីបដិសេធដែនកំណត់។ DocType: Bank Statement Settings,Mapped Items,ធាតុដែលបានបង្កប់ DocType: Amazon MWS Settings,IT,បច្ចេកវិទ្យា @@ -3383,7 +3384,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",មិនមានធនធានគ្រប់គ្រាន់ត្រូវបានបង្កើតឬភ្ជាប់ទៅនឹង {0} ទេ។ \ សូមបង្កើតឬភ្ជាប់ {1} ទ្រព្យសម្បត្តិជាមួយឯកសារនីមួយៗ។ DocType: Pricing Rule,Apply Rule On Brand,អនុវត្តច្បាប់លើម៉ាក។ DocType: Task,Actual End Date (via Time Sheet),បញ្ចប់ពិតប្រាកដកាលបរិច្ឆេទ (តាមរយៈសន្លឹកម៉ោង) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,មិនអាចបិទកិច្ចការ {0} បានទេព្រោះកិច្ចការពឹងរបស់វា {1} មិនត្រូវបានបិទទេ។ DocType: Soil Texture,Soil Type,ប្រភេទដី apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},ចំនួនទឹកប្រាក់ {0} {1} ប្រឆាំងនឹង {2} {3} ,Quotation Trends,សម្រង់និន្នាការ @@ -3412,6 +3412,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,រថយន្តបើកប DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,សន្លឹកបៀអ្នកផ្គត់ផ្គង់អចិន្ត្រៃយ៍ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},ជួរដេក {0}: លោក Bill នៃសម្ភារៈមិនបានរកឃើញសម្រាប់ធាតុ {1} DocType: Contract Fulfilment Checklist,Requirement,តម្រូវការ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះនិយោជិកនៅក្នុងធនធានមនុស្ស> ការកំណត់ធនធានមនុស្ស DocType: Journal Entry,Accounts Receivable,គណនីអ្នកទទួល DocType: Quality Goal,Objectives,គោលបំណង។ DocType: HR Settings,Role Allowed to Create Backdated Leave Application,តួនាទីដែលត្រូវបានអនុញ្ញាតឱ្យបង្កើតពាក្យសុំឈប់សម្រាកហួសសម័យ @@ -3551,6 +3552,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,អនុវត្ត apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,ពត៌មានលំអិតនៃការផ្គត់ផ្គង់ខាងក្រៅនិងការផ្គត់ផ្គង់ខាងក្នុងទទួលខុសត្រូវក្នុងការប្តូរបន្ទុក។ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,បើកឡើងវិញ +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,មិនអនុញ្ញាត។ សូមបិទគំរូតេស្តមន្ទីរពិសោធន៍ DocType: Sales Invoice Item,Qty as per Stock UOM,qty ដូចជាក្នុងមួយហ៊ុន UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,ឈ្មោះ Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,ក្រុមហ៊ុនជា Root ។ @@ -3608,6 +3610,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,ប្រភេទអាជីវកម្ម DocType: Sales Invoice,Consumer,អ្នកប្រើប្រាស់។ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","សូមជ្រើសចំនួនទឹកប្រាក់ដែលបានបម្រុងទុក, ប្រភេទវិក័យប័ត្រនិងលេខវិក្កយបត្រក្នុងមួយជួរដេកយ៉ាងហោចណាស់" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,សូមកំណត់ឈ្មោះដាក់ឈ្មោះសំរាប់ {0} តាមរយៈតំឡើង> ការកំណត់> តំរុយឈ្មោះ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,តម្លៃនៃការទិញថ្មី apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},លំដាប់ការលក់បានទាមទារសម្រាប់ធាតុ {0} DocType: Grant Application,Grant Description,ផ្ដល់ការពិពណ៌នា @@ -3633,7 +3636,6 @@ DocType: Payment Request,Transaction Details,ព័ត៌មានលំអិ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,សូមចុចលើ 'បង្កើតកាលវិភាគ' ដើម្បីទទួលបាននូវកាលវិភាគ DocType: Item,"Purchase, Replenishment Details",ការទិញព័ត៌មានលម្អិតការបំពេញបន្ថែម។ DocType: Products Settings,Enable Field Filters,បើកដំណើរការតម្រងវាល។ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,លេខកូដរបស់ក្រុម> ក្រុមក្រុម> ម៉ាក apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also",«វត្ថុដែលផ្តល់ឲ្យដោយអតិថិជន» មិនអាចជាវត្ថុសំរាប់ទិញនោះផងទេ DocType: Blanket Order Item,Ordered Quantity,បរិមាណដែលត្រូវបានបញ្ជាឱ្យ apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",ឧទាហរណ៏ "ឧបករណ៍សម្រាប់អ្នកសាងសង់ស្ថាបនា" @@ -4101,7 +4103,7 @@ DocType: BOM,Operating Cost (Company Currency),ចំណាយប្រតិប DocType: Authorization Rule,Applicable To (Role),ដែលអាចអនុវត្តទៅ (តួនាទី) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,រង់ចាំការរង់ចាំ DocType: BOM Update Tool,Replace BOM,ជំនួស BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,លេខកូដ {0} មានរួចហើយ +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,លេខកូដ {0} មានរួចហើយ DocType: Patient Encounter,Procedures,នីតិវិធី apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,ការបញ្ជាទិញលក់មិនមានសម្រាប់ផលិតកម្មទេ DocType: Asset Movement,Purpose,គោលបំណង @@ -4540,7 +4542,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,ប្រាក់បៀវត្សចុះឈ្មោះ DocType: Company,Default warehouse for Sales Return,ឃ្លាំងលំនាំដើមសម្រាប់ការលក់ត្រឡប់មកវិញ។ DocType: Pick List,Parent Warehouse,ឃ្លាំងមាតាបិតា -DocType: Subscription,Net Total,សរុប +DocType: C-Form Invoice Detail,Net Total,សរុប apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",កំណត់អាយុកាលធ្នើរបស់របរក្នុងរយៈពេលប៉ុន្មានថ្ងៃដើម្បីកំណត់ការផុតកំណត់ដោយផ្អែកលើកាលបរិច្ឆេទផលិតបូកនឹងអាយុកាលធ្នើ។ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},រកមិនឃើញលំនាំដើម Bom សម្រាប់ធាតុនិង {0} {1} គម្រោង apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,ជួរដេក {0}៖ សូមកំណត់របៀបបង់ប្រាក់ក្នុងកាលវិភាគទូទាត់។ @@ -4655,7 +4657,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},ឃ្លាំងគោលដៅគឺជាការចាំបាច់សម្រាប់ជួរ {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,ប្រតិបត្តិការលក់រាយ។ DocType: Cheque Print Template,Primary Settings,ការកំណត់បឋមសិក្សា -DocType: Attendance Request,Work From Home,ធ្វើការពីផ្ទះ +DocType: Attendance,Work From Home,ធ្វើការពីផ្ទះ DocType: Purchase Invoice,Select Supplier Address,ជ្រើសអាសយដ្ឋានផ្គត់ផ្គង់ apps/erpnext/erpnext/public/js/event.js,Add Employees,បន្ថែម បុគ្គលិក DocType: Purchase Invoice Item,Quality Inspection,ពិនិត្យគុណភាព @@ -4894,8 +4896,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL ផ្ទៀងផ្ទាត់ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},ចំនួនទឹកប្រាក់ {0} {1} {2} {3} DocType: Account,Depreciation,រំលស់ -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","សូមលុបនិយោជិក {0} \ ដើម្បីលុបចោលឯកសារនេះ" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,ចំនួនភាគហ៊ុននិងលេខភាគហ៊ុនមិនសមស្រប apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),ក្រុមហ៊ុនផ្គត់ផ្គង់ (s បាន) DocType: Employee Attendance Tool,Employee Attendance Tool,ឧបករណ៍វត្តមានបុគ្គលិក @@ -5200,7 +5200,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,លក្ខណៈវ DocType: Cheque Print Template,Cheque Height,កម្ពស់មូលប្បទានប័ត្រ DocType: Supplier,Supplier Details,ពត៌មានលំអិតក្រុមហ៊ុនផ្គត់ផ្គង់ DocType: Setup Progress,Setup Progress,រៀបចំវឌ្ឍនភាព -DocType: Expense Claim,Approval Status,ស្ថានភាពការអនុម័ត apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},ពីតម្លៃត្រូវតែតិចជាងទៅនឹងតម្លៃនៅក្នុងជួរដេក {0} DocType: Program,Intro Video,វីដេអូណែនាំ។ DocType: Manufacturing Settings,Default Warehouses for Production,ឃ្លាំងលំនាំដើមសម្រាប់ផលិតកម្ម @@ -5542,7 +5541,6 @@ DocType: Purchase Invoice,Rounded Total,សរុបមានរាងមូល apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,រន្ធសម្រាប់ {0} មិនត្រូវបានបន្ថែមទៅកាលវិភាគទេ DocType: Product Bundle,List items that form the package.,ធាតុបញ្ជីដែលបង្កើតជាកញ្ចប់។ apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},ទីតាំងគោលដៅត្រូវបានទាមទារពេលផ្ទេរទ្រព្យសម្បត្តិ {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,មិនអនុញ្ញាត។ សូមបិទគំរូសាកល្បង DocType: Sales Invoice,Distance (in km),ចម្ងាយ (គិតជាគីឡូម៉ែត្រ) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,ការបែងចែកគួរតែស្មើជាភាគរយទៅ 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,សូមជ្រើសរើសកាលបរិច្ឆេទមុនការជ្រើសគណបក្ស @@ -5673,7 +5671,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,តារាងតម្លៃអត្រាប្តូរប្រាក់ apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,ក្រុមអ្នកផ្គត់ផ្គង់ទាំងអស់ DocType: Employee Boarding Activity,Required for Employee Creation,ទាមទារសម្រាប់ការបង្កើតនិយោជិក -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ក្រុមហ៊ុនផ្គត់ផ្គង់> ប្រភេទអ្នកផ្គត់ផ្គង់ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},លេខគណនី {0} ដែលបានប្រើរួចហើយនៅក្នុងគណនី {1} DocType: GoCardless Mandate,Mandate,អាណត្តិ DocType: Hotel Room Reservation,Booked,កក់ @@ -5739,7 +5736,6 @@ DocType: Production Plan Item,Product Bundle Item,ផលិតផលធាតុ DocType: Sales Partner,Sales Partner Name,ឈ្មោះដៃគូការលក់ apps/erpnext/erpnext/hooks.py,Request for Quotations,សំណើរពីតំលៃ DocType: Payment Reconciliation,Maximum Invoice Amount,ចំនួនវិក័យប័ត្រអតិបរមា -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () បានបរាជ័យសំរាប់ IBAN ទទេ។ DocType: Normal Test Items,Normal Test Items,ធាតុសាកល្បងធម្មតា DocType: QuickBooks Migrator,Company Settings,ការកំណត់ក្រុមហ៊ុន DocType: Additional Salary,Overwrite Salary Structure Amount,សរសេរជាន់លើរចនាសម្ព័ន្ធប្រាក់ខែ @@ -5893,6 +5889,7 @@ DocType: Issue,Resolution By Variance,ដំណោះស្រាយដោយវ DocType: Leave Allocation,Leave Period,ចាកចេញពីកំឡុងពេល DocType: Item,Default Material Request Type,លំនាំដើមសម្ភារៈប្រភេទសំណើ DocType: Supplier Scorecard,Evaluation Period,រយៈពេលវាយតម្លៃ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,អតិថិជន> ក្រុមអតិថិជន> ទឹកដី apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,មិនស្គាល់ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,ការងារមិនត្រូវបានបង្កើត apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6255,8 +6252,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,# សៀ DocType: Material Request Plan Item,Required Quantity,បរិមាណដែលត្រូវការ។ DocType: Lab Test Template,Lab Test Template,គំរូតេស្តមន្ទីរពិសោធន៍ apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},រយៈពេលគណនេយ្យត្រួតគ្នាជាមួយ {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ក្រុមហ៊ុនផ្គត់ផ្គង់> ប្រភេទអ្នកផ្គត់ផ្គង់ apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,គណនីលក់ DocType: Purchase Invoice Item,Total Weight,ទំងន់សរុប +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","សូមលុបនិយោជិក {0} \ ដើម្បីលុបចោលឯកសារនេះ" DocType: Pick List Item,Pick List Item,ជ្រើសរើសធាតុបញ្ជី។ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,គណៈកម្មការលើការលក់ DocType: Job Offer Term,Value / Description,គុណតម្លៃ / ការពិពណ៌នាសង្ខេប @@ -6370,6 +6370,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,បានចុះហត្ថលេខាលើ DocType: Bank Account,Party Type,ប្រភេទគណបក្ស DocType: Discounted Invoice,Discounted Invoice,វិក្កយបត្របញ្ចុះតម្លៃ។ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,សម្គាល់ការចូលរួមជា DocType: Payment Schedule,Payment Schedule,កាលវិភាគទូទាត់ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},រកមិនឃើញបុគ្គលិកសម្រាប់តម្លៃវាលបុគ្គលិកដែលបានផ្តល់ឱ្យទេ។ '{}': {} DocType: Item Attribute Value,Abbreviation,អក្សរកាត់ @@ -6472,7 +6473,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,ហេតុផលសម្ DocType: Employee,Personal Email,អ៊ីម៉ែលផ្ទាល់ខ្លួន apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,អថេរចំនួនសរុប DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",បើអនុញ្ញាតប្រព័ន្ធនេះនឹងផ្តល់ការបញ្ចូលគណនីសម្រាប់ការដោយស្វ័យប្រវត្តិ។ -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () ទទួលយក IBAN មិនត្រឹមត្រូវ {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,ឈ្មួញកណ្តាល apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,ការចូលរួមសម្រាប់បុគ្គលិក {0} ត្រូវបានសម្គាល់រួចហើយសម្រាប់ថ្ងៃនេះ DocType: Work Order Operation,"in Minutes @@ -6742,6 +6742,7 @@ DocType: Appointment,Customer Details,ពត៌មានលំអិតរបស apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,បោះពុម្ពទម្រង់ IRS 1099 ។ DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,ពិនិត្យមើលថាតើទ្រព្យសកម្មតម្រូវឱ្យមានការថែទាំការពារឬការក្រិតតាមខ្នាត apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,ក្រុមហ៊ុនអក្សរកាត់មិនអាចមានច្រើនជាង 5 តួអក្សរទេ +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,ក្រុមហ៊ុនមេត្រូវតែជាក្រុមហ៊ុនក្រុម DocType: Employee,Reports to,របាយការណ៍ទៅ ,Unpaid Expense Claim,ពាក្យបណ្តឹងការចំណាយគ្មានប្រាក់ខែ DocType: Payment Entry,Paid Amount,ចំនួនទឹកប្រាក់ដែលបង់ @@ -6831,6 +6832,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,រាប់ចម្បង apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,ដំណាក់កាលនៃការជំនុំជម្រះនិងកាលបរិច្ឆេទបញ្ចប់នៃការជំនុំជម្រះត្រូវបានកំណត់ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,អត្រាមធ្យម +DocType: Appointment,Appointment With,ណាត់ជួបជាមួយ apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ចំនួនទឹកប្រាក់ទូទាត់សរុបក្នុងកាលវិភាគទូទាត់ត្រូវតែស្មើគ្នាសរុប / សរុប apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",«វត្ថុដែលផ្តល់ឲ្យដោយអតិថិជន» មិនអាចមានអត្រាវាយតម្លៃទេ DocType: Subscription Plan Detail,Plan,ផែនការ @@ -6963,7 +6965,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,ចម្បង / នាំមុខ% DocType: Bank Guarantee,Bank Account Info,ពត៌មានគណនីធនាគារ DocType: Bank Guarantee,Bank Guarantee Type,ប្រភេទលិខិតធានា -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () បានបរាជ័យសំរាប់ IBAN ដែលមានសុពលភាព {} DocType: Payment Schedule,Invoice Portion,ផ្នែកវិក័យប័ត្រ ,Asset Depreciations and Balances,សមតុលយទ្រព្យសកម្មរំលស់និងការ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},ចំនួនទឹកប្រាក់ {0} {1} បានផ្ទេរពី {2} ទៅ {3} @@ -7626,7 +7627,6 @@ DocType: Dosage Form,Dosage Form,ទម្រង់ប្រើប្រូត apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},សូមរៀបចំកាលវិភាគយុទ្ធនាការនៅក្នុងយុទ្ធនាការ {0} apps/erpnext/erpnext/config/buying.py,Price List master.,ចៅហ្វាយបញ្ជីតម្លៃ។ DocType: Task,Review Date,ពិនិត្យឡើងវិញកាលបរិច្ឆេទ -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,សម្គាល់ការចូលរួមជា DocType: BOM,Allow Alternative Item,អនុញ្ញាតធាតុផ្សេងទៀត apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,វិក័យប័ត្រទិញមិនមានធាតុដែលអាចរកបានគំរូ។ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,វិក្ក័យបត្រសរុប។ @@ -7858,7 +7858,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,អតិបរមាព្យាយាមម្ដងទៀត apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,រកមិនឃើញបញ្ជីថ្លៃឬជនពិការ DocType: Content Activity,Last Activity ,សកម្មភាពចុងក្រោយ។ -DocType: Student Applicant,Approved,បានអនុម័ត DocType: Pricing Rule,Price,តំលៃលក់ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',បុគ្គលិកធូរស្រាលនៅលើ {0} ត្រូវតែត្រូវបានកំណត់ជា "ឆ្វេង" DocType: Guardian,Guardian,កាសែត The Guardian @@ -8030,6 +8029,7 @@ DocType: Taxable Salary Slab,Percent Deduction,ការកាត់បន្ថ DocType: GL Entry,To Rename,ដើម្បីប្តូរឈ្មោះ។ DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,ជ្រើសរើសដើម្បីបន្ថែមលេខស៊េរី។ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,សូមតំឡើងប្រព័ន្ធដាក់ឈ្មោះគ្រូនៅក្នុងការអប់រំ> ការកំណត់ការអប់រំ apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',សូមកំណត់ក្រមសារពើពន្ធសម្រាប់អតិថិជន '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,សូមជ្រើសរើសក្រុមហ៊ុនមុន DocType: Item Attribute,Numeric Values,តម្លៃជាលេខ @@ -8046,6 +8046,7 @@ DocType: Salary Detail,Additional Amount,ចំនួនទឹកប្រាក apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,រទេះទទេ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",ធាតុ {0} មិនមានលេខស៊េរីឡើយ។ មានតែធាតុ serilialized \ អាចចែកចាយបានដោយផ្អែកលើលេខស៊េរី +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,ចំនួនទឹកប្រាក់រំលោះ DocType: Vehicle,Model,តារាម៉ូដែល DocType: Work Order,Actual Operating Cost,ការចំណាយប្រតិបត្តិការបានពិតប្រាកដ DocType: Payment Entry,Cheque/Reference No,មូលប្បទានប័ត្រ / យោងគ្មាន diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv index ea405f1ace..72be57dfe2 100644 --- a/erpnext/translations/kn.csv +++ b/erpnext/translations/kn.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,ಪ್ರಮಾಣಿತ DocType: Exchange Rate Revaluation Account,New Exchange Rate,ಹೊಸ ವಿನಿಮಯ ದರ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},ಕರೆನ್ಸಿ ಬೆಲೆ ಪಟ್ಟಿ ಅಗತ್ಯವಿದೆ {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ಲೆಕ್ಕಾಚಾರ ಮಾಡಲಾಗುತ್ತದೆ ವ್ಯವಹಾರದಲ್ಲಿ ಆಗಿದೆ . -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ದಯವಿಟ್ಟು ಮಾನವ ಸಂಪನ್ಮೂಲ> ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ನೌಕರರ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಹೊಂದಿಸಿ DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT -YYYY.- DocType: Purchase Order,Customer Contact,ಗ್ರಾಹಕ ಸಂಪರ್ಕ DocType: Shift Type,Enable Auto Attendance,ಸ್ವಯಂ ಹಾಜರಾತಿಯನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ @@ -95,6 +94,7 @@ DocType: Item Price,Multiple Item prices.,ಬಹು ಐಟಂ ಬೆಲೆಗಳ DocType: SMS Center,All Supplier Contact,ಎಲ್ಲಾ ಸಂಪರ್ಕಿಸಿ ಸರಬರಾಜುದಾರ DocType: Support Settings,Support Settings,ಬೆಂಬಲ ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,ಅಮಾನ್ಯ ರುಜುವಾತುಗಳು +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,ಮನೆಯಿಂದ ಕೆಲಸವನ್ನು ಗುರುತಿಸಿ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ಐಟಿಸಿ ಲಭ್ಯವಿದೆ (ಪೂರ್ಣ ಆಪ್ ಭಾಗದಲ್ಲಿರಲಿ) DocType: Amazon MWS Settings,Amazon MWS Settings,ಅಮೆಜಾನ್ MWS ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,ವೋಚರ್‌ಗಳನ್ನು ಸಂಸ್ಕರಿಸಲಾಗುತ್ತಿದೆ @@ -400,7 +400,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,ಐಟಂ ತ apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,ಸದಸ್ಯತ್ವ ವಿವರಗಳು apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: ಸರಬರಾಜುದಾರ ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆಯನ್ನು ವಿರುದ್ಧ ಅಗತ್ಯವಿದೆ {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,ಐಟಂಗಳನ್ನು ಮತ್ತು ಬೆಲೆ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ಗ್ರಾಹಕ> ಗ್ರಾಹಕ ಗುಂಪು> ಪ್ರದೇಶ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},ಒಟ್ಟು ಗಂಟೆಗಳ: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},ದಿನಾಂಕದಿಂದ ಹಣಕಾಸಿನ ವರ್ಷದ ಒಳಗೆ ಇರಬೇಕು. ದಿನಾಂಕದಿಂದ ಭಾವಿಸಿಕೊಂಡು = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,ಎಚ್ಎಲ್ಸಿ- ಪಿಎಮ್ಆರ್ -ವೈವೈವೈ.- @@ -763,6 +762,7 @@ DocType: Request for Quotation,Request for Quotation,ಉದ್ಧರಣ ವಿ DocType: Healthcare Settings,Require Lab Test Approval,ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ ಅನುಮೋದನೆ ಅಗತ್ಯವಿದೆ DocType: Attendance,Working Hours,ದುಡಿಮೆಯು apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,ಒಟ್ಟು ಅತ್ಯುತ್ತಮ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ಐಟಂಗೆ UOM ಪರಿವರ್ತನೆ ಅಂಶ ({0} -> {1}) ಕಂಡುಬಂದಿಲ್ಲ: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಸರಣಿಯ ಆರಂಭಿಕ / ಪ್ರಸ್ತುತ ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ಬದಲಾಯಿಸಿ. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,ಆದೇಶಿಸಿದ ಮೊತ್ತದ ವಿರುದ್ಧ ಹೆಚ್ಚು ಬಿಲ್ ಮಾಡಲು ನಿಮಗೆ ಅನುಮತಿಸಲಾದ ಶೇಕಡಾವಾರು. ಉದಾಹರಣೆಗೆ: ಐಟಂಗೆ ಆರ್ಡರ್ ಮೌಲ್ಯವು $ 100 ಮತ್ತು ಸಹಿಷ್ಣುತೆಯನ್ನು 10% ಎಂದು ಹೊಂದಿಸಿದ್ದರೆ ನಿಮಗೆ bill 110 ಗೆ ಬಿಲ್ ಮಾಡಲು ಅನುಮತಿಸಲಾಗುತ್ತದೆ. DocType: Dosage Strength,Strength,ಬಲ @@ -1245,7 +1245,6 @@ DocType: Timesheet,Total Billed Hours,ಒಟ್ಟು ಖ್ಯಾತವಾದ DocType: Pricing Rule Item Group,Pricing Rule Item Group,ಬೆಲೆ ನಿಯಮ ಐಟಂ ಗುಂಪು DocType: Travel Itinerary,Travel To,ಪ್ರಯಾಣಕ್ಕೆ apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,ವಿನಿಮಯ ದರ ಮರು ಮೌಲ್ಯಮಾಪನ ಮಾಸ್ಟರ್. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ಸೆಟಪ್> ಸಂಖ್ಯೆಯ ಸರಣಿಯ ಮೂಲಕ ಹಾಜರಾತಿಗಾಗಿ ದಯವಿಟ್ಟು ಸಂಖ್ಯೆಯ ಸರಣಿಯನ್ನು ಹೊಂದಿಸಿ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,ಪ್ರಮಾಣ ಆಫ್ ಬರೆಯಿರಿ DocType: Leave Block List Allow,Allow User,ಬಳಕೆದಾರ ಅನುಮತಿಸಿ DocType: Journal Entry,Bill No,ಬಿಲ್ ನಂ @@ -1617,6 +1616,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,ಪ್ರೋತ್ಸಾಹ apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ಮೌಲ್ಯಗಳು ಸಿಂಕ್‌ನಿಂದ ಹೊರಗಿದೆ apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,ವ್ಯತ್ಯಾಸ ಮೌಲ್ಯ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ಸೆಟಪ್> ಸಂಖ್ಯೆಯ ಸರಣಿಯ ಮೂಲಕ ಹಾಜರಾತಿಗಾಗಿ ದಯವಿಟ್ಟು ಸಂಖ್ಯೆಯ ಸರಣಿಯನ್ನು ಹೊಂದಿಸಿ DocType: SMS Log,Requested Numbers,ಕೋರಿಕೆ ಸಂಖ್ಯೆಗಳು DocType: Volunteer,Evening,ಸಂಜೆ DocType: Quiz,Quiz Configuration,ರಸಪ್ರಶ್ನೆ ಸಂರಚನೆ @@ -1782,6 +1782,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,ಸ್ಥ DocType: Student Admission,Publish on website,ವೆಬ್ಸೈಟ್ನಲ್ಲಿ ಪ್ರಕಟಿಸಿ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS- .YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ಐಟಂ ಕೋಡ್> ಐಟಂ ಗುಂಪು> ಬ್ರಾಂಡ್ DocType: Subscription,Cancelation Date,ರದ್ದು ದಿನಾಂಕ DocType: Purchase Invoice Item,Purchase Order Item,ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಐಟಂ DocType: Agriculture Task,Agriculture Task,ಕೃಷಿ ಕಾರ್ಯ @@ -2377,7 +2378,6 @@ DocType: Promotional Scheme,Product Discount Slabs,ಉತ್ಪನ್ನ ರಿ DocType: Target Detail,Target Distribution,ಟಾರ್ಗೆಟ್ ಡಿಸ್ಟ್ರಿಬ್ಯೂಶನ್ DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-ತಾತ್ಕಾಲಿಕ ಮೌಲ್ಯಮಾಪನ ಅಂತಿಮಗೊಳಿಸುವಿಕೆ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,ಪಕ್ಷಗಳು ಮತ್ತು ವಿಳಾಸಗಳನ್ನು ಆಮದು ಮಾಡಿಕೊಳ್ಳುವುದು -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ಐಟಂಗೆ UOM ಪರಿವರ್ತನೆ ಅಂಶ ({0} -> {1}) ಕಂಡುಬಂದಿಲ್ಲ: {2} DocType: Salary Slip,Bank Account No.,ಬ್ಯಾಂಕ್ ಖಾತೆ ಸಂಖ್ಯೆ DocType: Naming Series,This is the number of the last created transaction with this prefix,ಈ ಪೂರ್ವನಾಮವನ್ನು ಹೊಂದಿರುವ ಲೋಡ್ ದಾಖಲಿಸಿದವರು ವ್ಯವಹಾರದ ಸಂಖ್ಯೆ DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -3361,7 +3361,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),ಒಟ್ಟು ಬಿಲ್ apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,ಶುಲ್ಕ ವೇಳಾಪಟ್ಟಿಯನ್ನು ರಚಿಸಿ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,ಪುನರಾವರ್ತಿತ ಗ್ರಾಹಕ ಕಂದಾಯ DocType: Soil Texture,Silty Clay Loam,ಸಿಲ್ಟಿ ಕ್ಲೇ ಲೋಮ್ -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ಶಿಕ್ಷಣ> ಶಿಕ್ಷಣ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ಬೋಧಕ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ DocType: Quiz,Enter 0 to waive limit,ಮಿತಿಯನ್ನು ಮನ್ನಾ ಮಾಡಲು 0 ನಮೂದಿಸಿ DocType: Bank Statement Settings,Mapped Items,ಮ್ಯಾಪ್ ಮಾಡಿದ ಐಟಂಗಳು DocType: Amazon MWS Settings,IT,IT @@ -3420,6 +3419,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,ಸ್ವಯಂ ಚಾಲಕ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,ಸರಬರಾಜುದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ ಸ್ಥಾಯಿ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},ಸಾಲು {0}: ಮೆಟೀರಿಯಲ್ಸ್ ಬಿಲ್ ಐಟಂ ಕಂಡುಬಂದಿಲ್ಲ {1} DocType: Contract Fulfilment Checklist,Requirement,ಅವಶ್ಯಕತೆ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ದಯವಿಟ್ಟು ಮಾನವ ಸಂಪನ್ಮೂಲ> ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ನೌಕರರ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಹೊಂದಿಸಿ DocType: Journal Entry,Accounts Receivable,ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಗಳು DocType: Quality Goal,Objectives,ಉದ್ದೇಶಗಳು DocType: HR Settings,Role Allowed to Create Backdated Leave Application,ಬ್ಯಾಕ್‌ಡೇಟೆಡ್ ರಜೆ ಅಪ್ಲಿಕೇಶನ್ ರಚಿಸಲು ಪಾತ್ರವನ್ನು ಅನುಮತಿಸಲಾಗಿದೆ @@ -3558,6 +3558,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,ಅಪ್ಲೈಡ್ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,ರಿವರ್ಸ್ ಚಾರ್ಜ್ಗೆ ಹೊಣೆಗಾರರಾಗಿರುವ ಬಾಹ್ಯ ಸರಬರಾಜು ಮತ್ತು ಆಂತರಿಕ ಸರಬರಾಜುಗಳ ವಿವರಗಳು apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,ಮತ್ತೆತೆರೆಯಿರಿ +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ. ದಯವಿಟ್ಟು ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ ಟೆಂಪ್ಲೇಟ್ ಅನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ DocType: Sales Invoice Item,Qty as per Stock UOM,ಪ್ರಮಾಣ ಸ್ಟಾಕ್ UOM ಪ್ರಕಾರ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 ಹೆಸರು apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,ರೂಟ್ ಕಂಪನಿ @@ -3643,7 +3644,6 @@ DocType: Payment Request,Transaction Details,ವಹಿವಾಟಿನ ವಿವ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,ವೇಳಾಪಟ್ಟಿ ಪಡೆಯಲು ' ರಚಿಸಿ ವೇಳಾಪಟ್ಟಿ ' ಮೇಲೆ ಕ್ಲಿಕ್ ಮಾಡಿ DocType: Item,"Purchase, Replenishment Details","ಖರೀದಿ, ಮರುಪೂರಣದ ವಿವರಗಳು" DocType: Products Settings,Enable Field Filters,ಕ್ಷೇತ್ರ ಫಿಲ್ಟರ್‌ಗಳನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ಐಟಂ ಕೋಡ್> ಐಟಂ ಗುಂಪು> ಬ್ರಾಂಡ್ apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","ಗ್ರಾಹಕ ಒದಗಿಸಿದ ಐಟಂ" ಅನ್ನು ಖರೀದಿಸುವ ಐಟಂ ಆಗಿರಬಾರದು DocType: Blanket Order Item,Ordered Quantity,ಆದೇಶ ಪ್ರಮಾಣ apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","ಇ ಜಿ "" ಬಿಲ್ಡರ್ ಗಳು ಉಪಕರಣಗಳು ನಿರ್ಮಿಸಿ """ @@ -4107,7 +4107,7 @@ DocType: BOM,Operating Cost (Company Currency),ವೆಚ್ಚವನ್ನು ( DocType: Authorization Rule,Applicable To (Role),ಅನ್ವಯವಾಗುತ್ತದೆ ( ಪಾತ್ರ ) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,ಉಳಿದಿರುವ ಎಲೆಗಳು DocType: BOM Update Tool,Replace BOM,BOM ಅನ್ನು ಬದಲಾಯಿಸಿ -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,ಕೋಡ್ {0} ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,ಕೋಡ್ {0} ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ DocType: Patient Encounter,Procedures,ಕಾರ್ಯವಿಧಾನಗಳು apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,ಮಾರಾಟದ ಆದೇಶಗಳು ಉತ್ಪಾದನೆಗೆ ಲಭ್ಯವಿಲ್ಲ DocType: Asset Movement,Purpose,ಉದ್ದೇಶ @@ -4223,6 +4223,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,ಉದ್ಯೋಗಿ DocType: Warranty Claim,Service Address,ಸೇವೆ ವಿಳಾಸ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,ಮಾಸ್ಟರ್ ಡೇಟಾವನ್ನು ಆಮದು ಮಾಡಿ DocType: Asset Maintenance Task,Calibration,ಮಾಪನಾಂಕ ನಿರ್ಣಯ +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ಲ್ಯಾಬ್ ಪರೀಕ್ಷಾ ಐಟಂ {0} ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ಕಂಪನಿಯ ರಜಾದಿನವಾಗಿದೆ apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ಬಿಲ್ ಮಾಡಬಹುದಾದ ಗಂಟೆಗಳು apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,ಸ್ಥಿತಿ ಅಧಿಸೂಚನೆಯನ್ನು ಬಿಡಿ @@ -4581,7 +4582,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,ಸಂಬಳ ನೋಂದಣಿ DocType: Company,Default warehouse for Sales Return,ಮಾರಾಟ ರಿಟರ್ನ್‌ಗಾಗಿ ಡೀಫಾಲ್ಟ್ ಗೋದಾಮು DocType: Pick List,Parent Warehouse,ಪೋಷಕ ವೇರ್ಹೌಸ್ -DocType: Subscription,Net Total,ನೆಟ್ ಒಟ್ಟು +DocType: C-Form Invoice Detail,Net Total,ನೆಟ್ ಒಟ್ಟು apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","ಉತ್ಪಾದನಾ ದಿನಾಂಕ ಮತ್ತು ಶೆಲ್ಫ್-ಜೀವನವನ್ನು ಆಧರಿಸಿ ಮುಕ್ತಾಯವನ್ನು ಹೊಂದಿಸಲು, ಐಟಂನ ಶೆಲ್ಫ್ ಜೀವನವನ್ನು ದಿನಗಳಲ್ಲಿ ಹೊಂದಿಸಿ." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},ಡೀಫಾಲ್ಟ್ ಬಿಒಎಮ್ ಐಟಂ ಕಂಡುಬಂದಿಲ್ಲ {0} ಮತ್ತು ಪ್ರಾಜೆಕ್ಟ್ {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,ಸಾಲು {0}: ದಯವಿಟ್ಟು ಪಾವತಿ ವೇಳಾಪಟ್ಟಿಯಲ್ಲಿ ಪಾವತಿ ಮೋಡ್ ಅನ್ನು ಹೊಂದಿಸಿ @@ -4692,7 +4693,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},ಟಾರ್ಗೆಟ್ ಗೋದಾಮಿನ ಸಾಲು ಕಡ್ಡಾಯ {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,ಚಿಲ್ಲರೆ ಕಾರ್ಯಾಚರಣೆಗಳು DocType: Cheque Print Template,Primary Settings,ಪ್ರಾಥಮಿಕ ಸೆಟ್ಟಿಂಗ್ಗಳು -DocType: Attendance Request,Work From Home,ಮನೆಯಿಂದ ಕೆಲಸ +DocType: Attendance,Work From Home,ಮನೆಯಿಂದ ಕೆಲಸ DocType: Purchase Invoice,Select Supplier Address,ಸರಬರಾಜುದಾರ ವಿಳಾಸ ಆಯ್ಕೆ apps/erpnext/erpnext/public/js/event.js,Add Employees,ನೌಕರರು ಸೇರಿಸಿ DocType: Purchase Invoice Item,Quality Inspection,ಗುಣಮಟ್ಟದ ತಪಾಸಣೆ @@ -4929,8 +4930,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,ದೃಢೀಕರಣ URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},ಪ್ರಮಾಣ {0} {1} {2} {3} DocType: Account,Depreciation,ಸವಕಳಿ -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","ಈ ಡಾಕ್ಯುಮೆಂಟ್ ಅನ್ನು ರದ್ದುಗೊಳಿಸಲು ದಯವಿಟ್ಟು ನೌಕರ {0} delete ಅನ್ನು ಅಳಿಸಿ" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,ಷೇರುಗಳ ಸಂಖ್ಯೆ ಮತ್ತು ಷೇರು ಸಂಖ್ಯೆಗಳು ಅಸಮಂಜಸವಾಗಿದೆ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),ಪೂರೈಕೆದಾರ (ರು) DocType: Employee Attendance Tool,Employee Attendance Tool,ನೌಕರರ ಅಟೆಂಡೆನ್ಸ್ ಉಪಕರಣ @@ -5233,7 +5232,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,ಸಸ್ಯ ವಿಶ DocType: Cheque Print Template,Cheque Height,ಚೆಕ್ ಎತ್ತರ DocType: Supplier,Supplier Details,ಪೂರೈಕೆದಾರರ ವಿವರಗಳು DocType: Setup Progress,Setup Progress,ಸೆಟಪ್ ಪ್ರೋಗ್ರೆಸ್ -DocType: Expense Claim,Approval Status,ಅನುಮೋದನೆ ಸ್ಥಿತಿ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},ಮೌಲ್ಯದಿಂದ ಸತತವಾಗಿ ಮೌಲ್ಯಕ್ಕೆ ಕಡಿಮೆ ಇರಬೇಕು {0} DocType: Program,Intro Video,ಪರಿಚಯ ವೀಡಿಯೊ DocType: Manufacturing Settings,Default Warehouses for Production,ಉತ್ಪಾದನೆಗಾಗಿ ಡೀಫಾಲ್ಟ್ ಗೋದಾಮುಗಳು @@ -5569,7 +5567,6 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,ಮಾರಾಟ DocType: Purchase Invoice,Rounded Total,ದುಂಡಾದ ಒಟ್ಟು apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} ಗೆ ಸ್ಲಾಟ್ಗಳು ವೇಳಾಪಟ್ಟಿಗೆ ಸೇರಿಸಲಾಗಿಲ್ಲ DocType: Product Bundle,List items that form the package.,ಪಟ್ಟಿ ಐಟಂಗಳನ್ನು ಪ್ಯಾಕೇಜ್ ರೂಪಿಸಲು ಮಾಡಿದರು . -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,ಅನುಮತಿಸಲಾಗಿಲ್ಲ. ದಯವಿಟ್ಟು ಟೆಸ್ಟ್ ಟೆಂಪ್ಲೇಟ್ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ DocType: Sales Invoice,Distance (in km),ದೂರ (ಕಿಮೀ) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,ಶೇಕಡಾವಾರು ಅಲೋಕೇಶನ್ 100% ಸಮನಾಗಿರುತ್ತದೆ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,ದಯವಿಟ್ಟು ಪಕ್ಷದ ಆರಿಸುವ ಮೊದಲು ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಆಯ್ಕೆ @@ -5700,7 +5697,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,ಬೆಲೆ ಪಟ್ಟಿ ವಿನಿಮಯ ದರ apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,ಎಲ್ಲಾ ಸರಬರಾಜುದಾರ ಗುಂಪುಗಳು DocType: Employee Boarding Activity,Required for Employee Creation,ಉದ್ಯೋಗಿ ಸೃಷ್ಟಿಗೆ ಅಗತ್ಯವಿದೆ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ಸರಬರಾಜುದಾರ> ಪೂರೈಕೆದಾರ ಪ್ರಕಾರ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},ಖಾತೆ ಸಂಖ್ಯೆ {0} ಈಗಾಗಲೇ ಖಾತೆಯಲ್ಲಿ ಬಳಸಲಾಗುತ್ತದೆ {1} DocType: GoCardless Mandate,Mandate,ಮ್ಯಾಂಡೇಟ್ DocType: Hotel Room Reservation,Booked,ಬುಕ್ ಮಾಡಲಾಗಿದೆ @@ -5765,7 +5761,6 @@ DocType: Production Plan Item,Product Bundle Item,ಉತ್ಪನ್ನ ಕಟ DocType: Sales Partner,Sales Partner Name,ಮಾರಾಟದ ಸಂಗಾತಿ ಹೆಸರು apps/erpnext/erpnext/hooks.py,Request for Quotations,ಉಲ್ಲೇಖಗಳು ವಿನಂತಿ DocType: Payment Reconciliation,Maximum Invoice Amount,ಗರಿಷ್ಠ ಸರಕುಪಟ್ಟಿ ಪ್ರಮಾಣವನ್ನು -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,ಖಾಲಿ IBAN ಗಾಗಿ BankAccount.validate_iban () ವಿಫಲವಾಗಿದೆ DocType: Normal Test Items,Normal Test Items,ಸಾಮಾನ್ಯ ಟೆಸ್ಟ್ ಐಟಂಗಳು DocType: QuickBooks Migrator,Company Settings,ಕಂಪನಿ ಸೆಟ್ಟಿಂಗ್ಗಳು DocType: Additional Salary,Overwrite Salary Structure Amount,ಸಂಬಳ ರಚನೆಯ ಮೊತ್ತವನ್ನು ಬದಲಿಸಿ @@ -5916,6 +5911,7 @@ DocType: Issue,Resolution By Variance,ವ್ಯತ್ಯಾಸದಿಂದ ನ DocType: Leave Allocation,Leave Period,ಅವಧಿ ಬಿಡಿ DocType: Item,Default Material Request Type,ಡೀಫಾಲ್ಟ್ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಪ್ರಕಾರ DocType: Supplier Scorecard,Evaluation Period,ಮೌಲ್ಯಮಾಪನ ಅವಧಿ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ಗ್ರಾಹಕ> ಗ್ರಾಹಕ ಗುಂಪು> ಪ್ರದೇಶ apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,ಅಜ್ಞಾತ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,ಕೆಲಸದ ಆದೇಶವನ್ನು ರಚಿಸಲಾಗಿಲ್ಲ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6275,8 +6271,11 @@ DocType: Salary Component,Formula,ಸೂತ್ರ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,ಸರಣಿ # DocType: Material Request Plan Item,Required Quantity,ಅಗತ್ಯವಿರುವ ಪ್ರಮಾಣ DocType: Lab Test Template,Lab Test Template,ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ ಟೆಂಪ್ಲೇಟು +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ಸರಬರಾಜುದಾರ> ಪೂರೈಕೆದಾರ ಪ್ರಕಾರ apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,ಮಾರಾಟದ ಖಾತೆ DocType: Purchase Invoice Item,Total Weight,ಒಟ್ಟು ತೂಕ +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ಈ ಡಾಕ್ಯುಮೆಂಟ್ ರದ್ದುಗೊಳಿಸಲು ದಯವಿಟ್ಟು ನೌಕರ {0} delete ಅನ್ನು ಅಳಿಸಿ" DocType: Pick List Item,Pick List Item,ಪಟ್ಟಿ ಐಟಂ ಆರಿಸಿ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,ಮಾರಾಟದ ಮೇಲೆ ಕಮಿಷನ್ DocType: Job Offer Term,Value / Description,ಮೌಲ್ಯ / ವಿವರಣೆ @@ -6389,6 +6388,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,ಸೈನ್ ಇನ್ ಮಾಡಲಾಗಿದೆ DocType: Bank Account,Party Type,ಪಕ್ಷದ ಪ್ರಕಾರ DocType: Discounted Invoice,Discounted Invoice,ರಿಯಾಯಿತಿ ಸರಕುಪಟ್ಟಿ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,ಹಾಜರಾತಿಯನ್ನು ಗುರುತಿಸಿ DocType: Payment Schedule,Payment Schedule,ಪಾವತಿ ವೇಳಾಪಟ್ಟಿ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ನೀಡಿರುವ ಉದ್ಯೋಗಿ ಕ್ಷೇತ್ರ ಮೌಲ್ಯಕ್ಕೆ ಯಾವುದೇ ಉದ್ಯೋಗಿ ಕಂಡುಬಂದಿಲ್ಲ. '{}': {} DocType: Item Attribute Value,Abbreviation,ಸಂಕ್ಷೇಪಣ @@ -6489,7 +6489,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,ತಡೆಹಿಡಿಯು DocType: Employee,Personal Email,ಸ್ಟಾಫ್ ಇಮೇಲ್ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,ಒಟ್ಟು ಭಿನ್ನಾಭಿಪ್ರಾಯ DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","ಶಕ್ತಗೊಂಡಿದ್ದಲ್ಲಿ , ಗಣಕವು ದಾಸ್ತಾನು ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು ಪೋಸ್ಟ್ ಕಾಣಿಸುತ್ತದೆ ." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () ಅಮಾನ್ಯ IBAN ಅನ್ನು ಸ್ವೀಕರಿಸಲಾಗಿದೆ {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,ದಲ್ಲಾಳಿಗೆ ಕೊಡುವ ಹಣ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,ನೌಕರ {0} ಹಾಜರಾತಿ ಈಗಾಗಲೇ ಈ ದಿನ ಗುರುತಿಸಲಾಗಿದೆ DocType: Work Order Operation,"in Minutes @@ -6754,6 +6753,7 @@ DocType: Appointment,Customer Details,ಗ್ರಾಹಕ ವಿವರಗಳು apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,ಐಆರ್ಎಸ್ 1099 ಫಾರ್ಮ್‌ಗಳನ್ನು ಮುದ್ರಿಸಿ DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,ಆಸ್ತಿಗೆ ಪ್ರಿವೆಂಟಿವ್ ನಿರ್ವಹಣೆ ಅಥವಾ ಮಾಪನಾಂಕ ನಿರ್ಣಯ ಅಗತ್ಯವಿದೆಯೇ ಎಂದು ಪರಿಶೀಲಿಸಿ apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,ಕಂಪನಿ ಸಂಕ್ಷೇಪಣವು 5 ಕ್ಕೂ ಹೆಚ್ಚು ಅಕ್ಷರಗಳನ್ನು ಹೊಂದಿಲ್ಲ +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,ಪೋಷಕ ಕಂಪನಿ ಒಂದು ಗುಂಪು ಕಂಪನಿಯಾಗಿರಬೇಕು DocType: Employee,Reports to,ಗೆ ವರದಿಗಳು ,Unpaid Expense Claim,ಪೇಯ್ಡ್ ಖರ್ಚು ಹಕ್ಕು DocType: Payment Entry,Paid Amount,ಮೊತ್ತವನ್ನು @@ -6841,6 +6841,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,ಎದುರು ಕೌಂಟ್ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,ಪ್ರಾಯೋಗಿಕ ಅವಧಿಯ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಮತ್ತು ಪ್ರಯೋಗ ಅವಧಿ ಅಂತ್ಯ ದಿನಾಂಕವನ್ನು ಹೊಂದಿಸಬೇಕು apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,ಸರಾಸರಿ ದರ +DocType: Appointment,Appointment With,ಜೊತೆ ನೇಮಕಾತಿ apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ಪಾವತಿ ವೇಳಾಪಟ್ಟಿಗಳಲ್ಲಿ ಒಟ್ಟು ಪಾವತಿ ಮೊತ್ತವು ಗ್ರ್ಯಾಂಡ್ / ದುಂಡಾದ ಒಟ್ಟು ಮೊತ್ತಕ್ಕೆ ಸಮನಾಗಿರಬೇಕು apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","ಗ್ರಾಹಕ ಒದಗಿಸಿದ ಐಟಂ" ಮೌಲ್ಯಮಾಪನ ದರವನ್ನು ಹೊಂದಿರಬಾರದು DocType: Subscription Plan Detail,Plan,ಯೋಜನೆ @@ -6970,7 +6971,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,ಎದುರು / ಲೀಡ್% DocType: Bank Guarantee,Bank Account Info,ಬ್ಯಾಂಕ್ ಖಾತೆ ಮಾಹಿತಿ DocType: Bank Guarantee,Bank Guarantee Type,ಬ್ಯಾಂಕ್ ಗ್ಯಾರಂಟಿ ಟೈಪ್ -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},ಮಾನ್ಯ IBAN for for ಗಾಗಿ BankAccount.validate_iban () ವಿಫಲವಾಗಿದೆ DocType: Payment Schedule,Invoice Portion,ಸರಕು ಸರಕು ,Asset Depreciations and Balances,ಆಸ್ತಿ Depreciations ಮತ್ತು ಸಮತೋಲನ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},ಪ್ರಮಾಣ {0} {1} ವರ್ಗಾಯಿಸಲಾಯಿತು {2} ನಿಂದ {3} @@ -7622,7 +7622,6 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The share DocType: Dosage Form,Dosage Form,ಡೋಸೇಜ್ ಫಾರ್ಮ್ apps/erpnext/erpnext/config/buying.py,Price List master.,ಬೆಲೆ ಪಟ್ಟಿ ಮಾಸ್ಟರ್ . DocType: Task,Review Date,ರಿವ್ಯೂ ದಿನಾಂಕ -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,ಹಾಜರಾತಿಯನ್ನು ಗುರುತಿಸಿ DocType: BOM,Allow Alternative Item,ಪರ್ಯಾಯ ವಸ್ತುವನ್ನು ಅನುಮತಿಸಿ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,ಖರೀದಿ ರಶೀದಿಯಲ್ಲಿ ಉಳಿಸಿಕೊಳ್ಳುವ ಮಾದರಿಯನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿದ ಯಾವುದೇ ಐಟಂ ಇಲ್ಲ. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ಸರಕುಪಟ್ಟಿ ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು @@ -7849,7 +7848,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,ಮ್ಯಾಕ್ಸ್ ರಿಟ್ರಿ ಮಿತಿ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,ದರ ಪಟ್ಟಿ ಕಂಡುಬಂದಿಲ್ಲ ಅಥವಾ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ DocType: Content Activity,Last Activity ,ಕೊನೆಯ ಚಟುವಟಿಕೆ -DocType: Student Applicant,Approved,Approved DocType: Pricing Rule,Price,ಬೆಲೆ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} ಮೇಲೆ ಬಿಡುಗಡೆ ನೌಕರರ ' ಎಡ ' ಹೊಂದಿಸಿ DocType: Guardian,Guardian,ಗಾರ್ಡಿಯನ್ @@ -8021,6 +8019,7 @@ DocType: Taxable Salary Slab,Percent Deduction,ಪರ್ಸೆಂಟ್ ಡಿ DocType: GL Entry,To Rename,ಮರುಹೆಸರಿಸಲು DocType: Stock Entry,Repack,ಮೂಟೆಕಟ್ಟು apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,ಸರಣಿ ಸಂಖ್ಯೆಯನ್ನು ಸೇರಿಸಲು ಆಯ್ಕೆಮಾಡಿ. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ಶಿಕ್ಷಣ> ಶಿಕ್ಷಣ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ಬೋಧಕ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',ದಯವಿಟ್ಟು ಗ್ರಾಹಕ '% s' ಗಾಗಿ ಹಣಕಾಸಿನ ಕೋಡ್ ಅನ್ನು ಹೊಂದಿಸಿ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,ದಯವಿಟ್ಟು ಮೊದಲು ಕಂಪನಿ ಆಯ್ಕೆಮಾಡಿ DocType: Item Attribute,Numeric Values,ಸಂಖ್ಯೆಯ ಮೌಲ್ಯಗಳನ್ನು @@ -8036,6 +8035,7 @@ DocType: Salary Detail,Additional Amount,ಹೆಚ್ಚುವರಿ ಮೊತ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,ಕಾರ್ಟ್ ಖಾಲಿಯಾಗಿದೆ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",ಐಟಂ {0} ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಇಲ್ಲ. ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಮಾತ್ರ ಆಧರಿಸಿ ವಿತರಣಾ ವಸ್ತುಗಳನ್ನು ಮಾತ್ರ ಪೂರೈಸಬಹುದು +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,ಸವಕಳಿ ಮೊತ್ತ DocType: Vehicle,Model,ಮಾದರಿ DocType: Work Order,Actual Operating Cost,ನಿಜವಾದ ವೆಚ್ಚವನ್ನು DocType: Payment Entry,Cheque/Reference No,ಚೆಕ್ / ಉಲ್ಲೇಖ ಇಲ್ಲ diff --git a/erpnext/translations/ko.csv b/erpnext/translations/ko.csv index 03d00a6166..c94bd8a091 100644 --- a/erpnext/translations/ko.csv +++ b/erpnext/translations/ko.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,표준세 면제 액 DocType: Exchange Rate Revaluation Account,New Exchange Rate,새로운 환율 apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},환율은 가격 목록에 필요한 {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* 트랜잭션에서 계산됩니다. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,인사 관리> HR 설정에서 직원 이름 지정 시스템을 설정하십시오 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT- .YYYY.- DocType: Purchase Order,Customer Contact,고객 연락처 DocType: Shift Type,Enable Auto Attendance,자동 출석 사용 @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,모든 공급 업체에게 연락 해 DocType: Support Settings,Support Settings,지원 설정 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},하위 회사 {1}에 계정 {0}이 (가) 추가되었습니다. apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,잘못된 자격 증명 +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,재택 근무 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC 가능 (전체 운영 부분 포함) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS 설정 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,바우처 처리 @@ -409,7 +409,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,값에 포함 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,회원 세부 정보 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1} : 공급 업체는 채무 계정에 필요한 {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,품목 및 가격 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,고객> 고객 그룹> 지역 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},총 시간 : {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},날짜에서 회계 연도 내에 있어야합니다.날짜 가정 = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR- .YYYY.- @@ -456,7 +455,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,선택된 옵션 DocType: SG Creation Tool Course,SG Creation Tool Course,SG 생성 도구 코스 DocType: Bank Statement Transaction Invoice Item,Payment Description,지불 설명 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,설정> 설정> 이름 지정 시리즈를 통해 이름 지정 시리즈를 {0}으로 설정하십시오. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,재고 부족 DocType: Email Digest,New Sales Orders,새로운 판매 주문 DocType: Bank Account,Bank Account,은행 계좌 @@ -778,6 +776,7 @@ DocType: Request for Quotation,Request for Quotation,견적 요청 DocType: Healthcare Settings,Require Lab Test Approval,실험실 테스트 승인 필요 DocType: Attendance,Working Hours,근무 시간 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,총 우수 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},항목 {2}에 대한 UOM 변환 계수 ({0}-> {1})를 찾을 수 없습니다 DocType: Naming Series,Change the starting / current sequence number of an existing series.,기존 시리즈의 시작 / 현재의 순서 번호를 변경합니다. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,주문한 금액에 대해 더 많은 금액을 청구 할 수있는 비율. 예 : 주문 값이 항목에 대해 $ 100이고 공차가 10 %로 설정된 경우 110 달러를 청구 할 수 있습니다. DocType: Dosage Strength,Strength,힘 @@ -1272,7 +1271,6 @@ DocType: Timesheet,Total Billed Hours,총 청구 시간 DocType: Pricing Rule Item Group,Pricing Rule Item Group,가격 결정 규칙 품목 그룹 DocType: Travel Itinerary,Travel To,여행지 apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,환율 환급 마스터. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,설정> 넘버링 시리즈를 통해 출석 용 넘버링 시리즈를 설정하십시오 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,금액을 상각 DocType: Leave Block List Allow,Allow User,사용자에게 허용 DocType: Journal Entry,Bill No,청구 번호 @@ -1647,6 +1645,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,장려책 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,동기화되지 않은 값 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,차이 값 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,설정> 넘버링 시리즈를 통해 출석 용 넘버링 시리즈를 설정하십시오 DocType: SMS Log,Requested Numbers,신청 번호 DocType: Volunteer,Evening,저녁 DocType: Quiz,Quiz Configuration,퀴즈 구성 @@ -1814,6 +1813,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,장소에 DocType: Student Admission,Publish on website,웹 사이트에 게시 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,공급 업체 송장 날짜 게시 날짜보다 클 수 없습니다 DocType: Installation Note,MAT-INS-.YYYY.-,매트 - 인 - .YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,상품 코드> 상품 그룹> 브랜드 DocType: Subscription,Cancelation Date,취소 일 DocType: Purchase Invoice Item,Purchase Order Item,구매 주문 상품 DocType: Agriculture Task,Agriculture Task,농업 작업 @@ -2422,7 +2422,6 @@ DocType: Promotional Scheme,Product Discount Slabs,제품 할인 석판 DocType: Target Detail,Target Distribution,대상 배포 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 - 임시 평가 마무리 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,파티 및 주소 가져 오기 -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},항목 {2}에 대한 UOM 변환 계수 ({0}-> {1})를 찾을 수 없습니다 DocType: Salary Slip,Bank Account No.,은행 계좌 번호 DocType: Naming Series,This is the number of the last created transaction with this prefix,이것은이 접두사를 마지막으로 생성 된 트랜잭션의 수입니다 DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2817,6 +2816,9 @@ DocType: Company,Default Holiday List,휴일 목록 기본 DocType: Pricing Rule,Supplier Group,공급 업체 그룹 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} 다이제스트 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},행 {0}의 시간과 시간에서 {1}과 중첩된다 {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",항목 {1}에 이름이 {0} 인 BOM이 이미 있습니다.
항목 이름을 변경 했습니까? 관리자 / 기술 지원부에 문의하십시오 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,재고 부채 DocType: Purchase Invoice,Supplier Warehouse,공급 업체 창고 DocType: Opportunity,Contact Mobile No,연락처 모바일 없음 @@ -3265,6 +3267,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,품질 회의 테이블 apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,포럼 방문 +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,종속 태스크 {1}이 (가) 완료 / 취소되지 않았으므로 {0} 태스크를 완료 할 수 없습니다. DocType: Student,Student Mobile Number,학생 휴대 전화 번호 DocType: Item,Has Variants,변형을 가지고 DocType: Employee Benefit Claim,Claim Benefit For,에 대한 보상 혜택 @@ -3427,7 +3430,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),총 결제 금액 (시간 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,요금표 작성 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,반복 고객 수익 DocType: Soil Texture,Silty Clay Loam,규조토 -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,교육> 교육 설정에서 강사 명명 시스템을 설정하십시오 DocType: Quiz,Enter 0 to waive limit,한계를 포기하려면 0을 입력하십시오. DocType: Bank Statement Settings,Mapped Items,매핑 된 항목 DocType: Amazon MWS Settings,IT,그것 @@ -3461,7 +3463,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",생성되었거나 {0}에 연결된 자산이 충분하지 않습니다. \ {1} 자산을 해당 문서와 함께 만들거나 연결하십시오. DocType: Pricing Rule,Apply Rule On Brand,브랜드에 규칙 적용 DocType: Task,Actual End Date (via Time Sheet),실제 종료 날짜 (시간 시트를 통해) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,종속 작업 {1}이 (가) 닫히지 않았으므로 {0} 작업을 닫을 수 없습니다. DocType: Soil Texture,Soil Type,토양 유형 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},양 {0} {1}에 대한 {2} {3} ,Quotation Trends,견적 동향 @@ -3491,6 +3492,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,자가 운전 차량 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,공급 업체 스코어 카드 대기 중 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},행 {0} : 재료 명세서 (BOM) 항목 찾을 수 없습니다 {1} DocType: Contract Fulfilment Checklist,Requirement,요구 사항 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,인사 관리> HR 설정에서 직원 이름 지정 시스템을 설정하십시오 DocType: Journal Entry,Accounts Receivable,미수금 DocType: Quality Goal,Objectives,목표 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,퇴직 휴가 신청을 할 수있는 역할 @@ -3632,6 +3634,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,적용된 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,반전 공급 및 역 충전이 필요한 내부 공급 장치의 세부 사항 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,재 오픈 +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,허용되지 않습니다. 랩 테스트 템플릿을 비활성화하십시오 DocType: Sales Invoice Item,Qty as per Stock UOM,수량 재고 UOM 당 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 이름 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,루트 회사 @@ -3691,6 +3694,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,사업의 종류 DocType: Sales Invoice,Consumer,소비자 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","이어야 한 행에 할당 된 금액, 송장 유형 및 송장 번호를 선택하세요" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,설정> 설정> 이름 지정 시리즈를 통해 이름 지정 시리즈를 {0}으로 설정하십시오. apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,새로운 구매 비용 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},상품에 필요한 판매 주문 {0} DocType: Grant Application,Grant Description,교부금 설명 @@ -3717,7 +3721,6 @@ DocType: Payment Request,Transaction Details,상세 거래 내역 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,일정을 얻기 위해 '생성 일정'을 클릭 해주세요 DocType: Item,"Purchase, Replenishment Details","구매, 보충 세부 사항" DocType: Products Settings,Enable Field Filters,필드 필터 사용 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,상품 코드> 상품 그룹> 브랜드 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","또 ""사용자가 제공한 아이템""은 구매한 아이템이 될 수 없고" DocType: Blanket Order Item,Ordered Quantity,주문 수량 apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","예) ""빌더를 위한 빌드 도구""" @@ -4189,7 +4192,7 @@ DocType: BOM,Operating Cost (Company Currency),운영 비용 (기업 통화) DocType: Authorization Rule,Applicable To (Role),에 적용 (역할) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,보류중인 잎 DocType: BOM Update Tool,Replace BOM,BOM 바꾸기 -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,코드 {0}이 (가) 이미 있습니다. +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,코드 {0}이 (가) 이미 있습니다. DocType: Patient Encounter,Procedures,절차 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,생산 주문에는 판매 오더를 사용할 수 없습니다. DocType: Asset Movement,Purpose,용도 @@ -4305,6 +4308,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,직원 시간 겹침 무 DocType: Warranty Claim,Service Address,서비스 주소 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,마스터 데이터 가져 오기 DocType: Asset Maintenance Task,Calibration,구경 측정 +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,실험실 테스트 항목 {0}이 (가) 이미 존재합니다 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0}은 회사 휴일입니다. apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,청구 가능 시간 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,상태 알림 남기기 @@ -4670,7 +4674,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,연봉 회원 가입 DocType: Company,Default warehouse for Sales Return,판매 반환을위한 기본 창고 DocType: Pick List,Parent Warehouse,부모 창고 -DocType: Subscription,Net Total,합계액 +DocType: C-Form Invoice Detail,Net Total,합계액 apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",제조 일자와 유효 기간을 기준으로 만료 기간을 설정하기 위해 품목의 유효 기간을 일 단위로 설정합니다. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},항목 {0} 및 프로젝트 {1}에 대한 기본 BOM을 찾을 수 없습니다 apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,행 {0} : 지급 일정에 지급 방식을 설정하십시오. @@ -4785,7 +4789,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},목표웨어 하우스는 행에 대해 필수입니다 {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,소매업 운영 DocType: Cheque Print Template,Primary Settings,기본 설정 -DocType: Attendance Request,Work From Home,집에서 일하십시오 +DocType: Attendance,Work From Home,집에서 일하십시오 DocType: Purchase Invoice,Select Supplier Address,선택 공급 업체 주소 apps/erpnext/erpnext/public/js/event.js,Add Employees,직원 추가 DocType: Purchase Invoice Item,Quality Inspection,품질 검사 @@ -5029,8 +5033,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,승인 URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},양 {0} {1} {2} {3} DocType: Account,Depreciation,감가 상각 -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","이 문서를 취소하려면 직원 {0}을 (를) 삭제하십시오" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,주식 수와 주식 수는 일치하지 않습니다. apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),공급 업체 (들) DocType: Employee Attendance Tool,Employee Attendance Tool,직원의 출석 도구 @@ -5340,7 +5342,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,식물 분석 기준 DocType: Cheque Print Template,Cheque Height,수표 높이 DocType: Supplier,Supplier Details,공급 업체의 상세 정보 DocType: Setup Progress,Setup Progress,설치 진행률 -DocType: Expense Claim,Approval Status,승인 상태 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},값에서 행의 값보다 작아야합니다 {0} DocType: Program,Intro Video,소개 비디오 DocType: Manufacturing Settings,Default Warehouses for Production,생산을위한 기본 창고 @@ -5684,7 +5685,6 @@ DocType: Purchase Invoice,Rounded Total,둥근 총 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0}의 슬롯이 일정에 추가되지 않았습니다. DocType: Product Bundle,List items that form the package.,패키지를 형성하는 목록 항목. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},자산 {0}을 (를) 전송하는 동안 대상 위치가 필요합니다 -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,허용되지 않습니다. 테스트 템플릿을 비활성화하십시오. DocType: Sales Invoice,Distance (in km),거리 (km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,백분율 할당은 100 % 같아야 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,파티를 선택하기 전에 게시 날짜를 선택하세요 @@ -5815,7 +5815,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,가격 기준 환율 apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,모든 공급 업체 그룹 DocType: Employee Boarding Activity,Required for Employee Creation,직원 창출을 위해 필수 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,공급 업체> 공급 업체 유형 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},계정 번호 {0}이 (가) 이미 계정 {1}에서 사용되었습니다. DocType: GoCardless Mandate,Mandate,위임 DocType: Hotel Room Reservation,Booked,예약 됨 @@ -5881,7 +5880,6 @@ DocType: Production Plan Item,Product Bundle Item,번들 제품 항목 DocType: Sales Partner,Sales Partner Name,영업 파트너 명 apps/erpnext/erpnext/hooks.py,Request for Quotations,견적 요청 DocType: Payment Reconciliation,Maximum Invoice Amount,최대 송장 금액 -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,빈 IBAN에 대해 BankAccount.validate_iban ()이 실패했습니다. DocType: Normal Test Items,Normal Test Items,정상 검사 항목 DocType: QuickBooks Migrator,Company Settings,회사 설정 DocType: Additional Salary,Overwrite Salary Structure Amount,급여 구조 금액 덮어 쓰기 @@ -6035,6 +6033,7 @@ DocType: Issue,Resolution By Variance,분산 별 해상도 DocType: Leave Allocation,Leave Period,휴가 기간 DocType: Item,Default Material Request Type,기본 자료 요청 유형 DocType: Supplier Scorecard,Evaluation Period,평가 기간 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,고객> 고객 그룹> 지역 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,알 수 없는 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,작업 지시가 생성되지 않았습니다. apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6400,8 +6399,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,직렬 # DocType: Material Request Plan Item,Required Quantity,필요 수량 DocType: Lab Test Template,Lab Test Template,실험실 테스트 템플릿 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},회계 기간이 {0}과 중복 됨 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,공급 업체> 공급 업체 유형 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,판매 계정 DocType: Purchase Invoice Item,Total Weight,총 무게 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","이 문서를 취소하려면 직원 {0}을 (를) 삭제하십시오" DocType: Pick List Item,Pick List Item,선택 목록 항목 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,판매에 대한 수수료 DocType: Job Offer Term,Value / Description,값 / 설명 @@ -6516,6 +6518,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,서명 됨 DocType: Bank Account,Party Type,파티 형 DocType: Discounted Invoice,Discounted Invoice,할인 송장 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,출석을로 표시 DocType: Payment Schedule,Payment Schedule,지불 일정 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},주어진 직원 필드 값에 대해 직원이 없습니다. '{}': {} DocType: Item Attribute Value,Abbreviation,약어 @@ -6618,7 +6621,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,보류중인 이유 DocType: Employee,Personal Email,개인 이메일 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,총 분산 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","활성화되면, 시스템이 자동으로 재고에 대한 회계 항목을 게시 할 예정입니다." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban ()이 (가) 잘못된 IBAN {}을 (를) 허용했습니다. apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,중개 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,직원 {0}에 대한 출석은 이미이 일에 대해 표시됩니다 DocType: Work Order Operation,"in Minutes @@ -6889,6 +6891,7 @@ DocType: Appointment,Customer Details,고객 상세 정보 apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS 1099 양식 인쇄 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,자산에 예방 유지 보수 또는 교정이 필요한지 확인하십시오. apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,회사 약어는 5자를 초과 할 수 없습니다. +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,모회사는 그룹 회사 여야합니다 DocType: Employee,Reports to,에 대한 보고서 ,Unpaid Expense Claim,미지급 비용 청구 DocType: Payment Entry,Paid Amount,지불 금액 @@ -6978,6 +6981,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,평가판 기간 시작일과 평가판 종료일을 모두 설정해야합니다. apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,평균 속도 +DocType: Appointment,Appointment With,와 약속 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,지불 일정의 총 지불 금액은 대 / 반올림 합계와 같아야합니다. apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","고객 제공 품목"은 평가 비율을 가질 수 없습니다. DocType: Subscription Plan Detail,Plan,계획 @@ -7111,7 +7115,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead % DocType: Bank Guarantee,Bank Account Info,은행 계좌 정보 DocType: Bank Guarantee,Bank Guarantee Type,은행 보증 유형 -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},유효한 IBAN {}에 대해 BankAccount.validate_iban ()이 실패했습니다. DocType: Payment Schedule,Invoice Portion,송장 부분 ,Asset Depreciations and Balances,자산 감가 상각 및 잔액 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},금액은 {0} {1}에서 전송 {2}에 {3} @@ -7782,7 +7785,6 @@ DocType: Dosage Form,Dosage Form,투약 형태 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},캠페인 {0}에서 캠페인 일정을 설정하십시오. apps/erpnext/erpnext/config/buying.py,Price List master.,가격리스트 마스터. DocType: Task,Review Date,검토 날짜 -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,출석을로 표시 DocType: BOM,Allow Alternative Item,대체 항목 허용 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,구매 영수증에 샘플 보관이 활성화 된 품목이 없습니다. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,인보이스 총액 @@ -8014,7 +8016,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,최대 재시도 한도 apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,가격 목록 발견되지 않았거나 비활성화 DocType: Content Activity,Last Activity ,마지막 활동 -DocType: Student Applicant,Approved,인가 된 DocType: Pricing Rule,Price,가격 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0}에 안심 직원은 '왼쪽'으로 설정해야합니다 DocType: Guardian,Guardian,보호자 @@ -8186,6 +8187,7 @@ DocType: Taxable Salary Slab,Percent Deduction,비율 공제 DocType: GL Entry,To Rename,이름 바꾸기 DocType: Stock Entry,Repack,재 포장 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,시리얼 번호를 추가하려면 선택하십시오. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,교육> 교육 설정에서 강사 명명 시스템을 설정하십시오 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',고객 '% s'의 Fiscal Code를 설정하십시오. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,먼저 회사를 선택하십시오 DocType: Item Attribute,Numeric Values,숫자 값 @@ -8202,6 +8204,7 @@ DocType: Salary Detail,Additional Amount,추가 금액 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,바구니가 비어 있습니다 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",{0} 항목에는 일련 번호가 없습니다. 일련 번호가 지정된 항목 만 \ 제품 번호를 기반으로 배달 할 수 있습니다. +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,감가 상각 금액 DocType: Vehicle,Model,모델 DocType: Work Order,Actual Operating Cost,실제 운영 비용 DocType: Payment Entry,Cheque/Reference No,수표 / 참조 없음 diff --git a/erpnext/translations/ku.csv b/erpnext/translations/ku.csv index 377da34802..10dc9532ad 100644 --- a/erpnext/translations/ku.csv +++ b/erpnext/translations/ku.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Mûçeya Bacê Ya Standard DocType: Exchange Rate Revaluation Account,New Exchange Rate,Guhertina New Exchange apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Pereyan ji bo List Price pêwîst e {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Dê di mêjera hejmartin. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ji kerema xwe di Resavkaniya Mirovan de> Sîstema Navkirin a Karmendiyê Saz bikin> Mîhengên HR DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-YYYY- DocType: Purchase Order,Customer Contact,mişterî Contact DocType: Shift Type,Enable Auto Attendance,Beşdariya Otomatîkî çalak bike @@ -95,6 +94,7 @@ DocType: Item Price,Multiple Item prices.,bihayê babet Multiple. DocType: SMS Center,All Supplier Contact,Hemû Supplier Contact DocType: Support Settings,Support Settings,Mîhengên piştgiriya apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Qebûlneyên derewîn +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Kar Kar Ji Mal êde apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),Danûstandinên ITC (gelo di beşa tevahiya opoyê de) DocType: Amazon MWS Settings,Amazon MWS Settings,Settings M Amazon Amazon apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Danasîna Vouchers @@ -399,7 +399,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Mîqdara Bacê apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Agahdariya Agahdariyê apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Supplier dijî account cîhde pêwîst e {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Nawy û Pricing -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Mişterî> Koma Xerîdar> Herêm apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Total saetan: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Ji Date divê di nava sala diravî be. Bihesibînin Ji Date = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-YYYY.- @@ -446,7 +445,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Vebijarka bijarte DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Kurs DocType: Bank Statement Transaction Invoice Item,Payment Description,Payment Description -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ji kerema xwe Sêwirandina Navên foran ji bo {0} bi hêla Setup> Mîhengên> Navên Pîroz bikin apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Stock Têrê nake DocType: Email Digest,New Sales Orders,New Orders Sales DocType: Bank Account,Bank Account,Hesabê bankê @@ -726,6 +724,7 @@ DocType: Volunteer,Weekends,Weekend apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Credit Têbînî Mîqdar DocType: Setup Progress Action,Action Document,Belgeya Çalakiyê DocType: Chapter Member,Website URL,URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Row # {0}: Serial No {1} ne Batch {2} ,Finished Goods,Goods qedand DocType: Delivery Note,Instructions,Telîmata DocType: Quality Inspection,Inspected By,teftîş kirin By @@ -1244,7 +1243,6 @@ DocType: Timesheet,Total Billed Hours,Total Hours billed DocType: Pricing Rule Item Group,Pricing Rule Item Group,Koma Parzûna Rêzeya Bihayê DocType: Travel Itinerary,Travel To,Travel To apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Master Rêjeya Guhertina Ragihandinê. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ji kerema xwe ji hêla Tevlêbûnê> Pêjeya Hejmarbûnê ve ji bo Pêvekêşandinê hejmarên hejmarê saz bikin apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Hewe Off Mîqdar DocType: Leave Block List Allow,Allow User,Destûrê bide Bikarhêner DocType: Journal Entry,Bill No,Bill No @@ -1597,6 +1595,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,aborîve apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Nirxên Ji Hevpeymaniyê derketin apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Nirxa Cûdahî +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ji kerema xwe ji hêla Tevlêbûnê> Pêjeya Hejmarbûnê ve ji bo Pêvekêşandinê hejmarên hejmaran bikin DocType: SMS Log,Requested Numbers,Numbers xwestin DocType: Volunteer,Evening,Êvar DocType: Quiz,Quiz Configuration,Confiz Configuration @@ -1763,6 +1762,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Ji Cihê DocType: Student Admission,Publish on website,Weşana li ser malpera apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Date Supplier bi fatûreyên ne dikarin bibin mezintir Mesaj Date DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda Babetê> Koma Rêzan> Brand DocType: Subscription,Cancelation Date,Dîroka Cancelkirinê DocType: Purchase Invoice Item,Purchase Order Item,Bikirin Order babetî DocType: Agriculture Task,Agriculture Task,Taskariya Çandiniyê @@ -3336,7 +3336,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Temamê meblaxa Billing (via apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Bernameya Feqîrê Biafirîne apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Hatiniyên Mişterî Repeat DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ji kerema xwe Li Perwerde> Mîhengên Perwerdehiyê Sîstema Navkirin a Sêwiran saz bikin DocType: Quiz,Enter 0 to waive limit,0 binivîse ku hûn sînorê winda bikin DocType: Bank Statement Settings,Mapped Items,Mapped Items DocType: Amazon MWS Settings,IT,EW @@ -3367,7 +3366,6 @@ apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depr ,Maintenance Schedules,Schedules Maintenance DocType: Pricing Rule,Apply Rule On Brand,Rêza li ser Brandê bicîh bikin DocType: Task,Actual End Date (via Time Sheet),Rastî End Date (via Time Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Nabe ku peywira {0} ji ber ku peywira wê girêdayî ye {1} ne girtî ye. DocType: Soil Texture,Soil Type,Cureyê mîrata apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Şêwaz {0} {1} dijî {2} {3} ,Quotation Trends,Trends quotation @@ -3396,6 +3394,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Vehicle Self-Driving DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Supplier Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of material ji bo babet dîtin ne {1} DocType: Contract Fulfilment Checklist,Requirement,Pêwistî +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ji kerema xwe di Resavkaniya Mirovan de> Sîstema Navkirin a Karmendiyê Saz bikin> Mîhengên HR DocType: Journal Entry,Accounts Receivable,hesabê hilgirtinê DocType: Quality Goal,Objectives,Armanc DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Role Hiştin ku Serîlêdana Piştgiriya Vegere ya Zindî Afirîne @@ -3533,6 +3532,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,sepandin apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Hûrguliyên Materyalên Derveyî û amûrên hundirîn ên ku ji berdêla berevajî dibin hene apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re-vekirî +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,"Destûr naye dayîn. Ji kerema xwe, ablonê Testa Lab neçê" DocType: Sales Invoice Item,Qty as per Stock UOM,Qty wek per Stock UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Navê Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Company Root @@ -3592,6 +3592,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tîpa Business DocType: Sales Invoice,Consumer,Mezêxer apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Ji kerema xwe ve butçe, Type bi fatûreyên û Number bi fatûreyên li Hindîstan û yek row hilbijêre" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ji kerema xwe Sêwirandina Navên foran ji bo {0} bi hêla Setup> Mîhengên> Navên Pîroz bikin apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Cost ji Buy New apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Sales Order pêwîst ji bo vî babetî {0} DocType: Grant Application,Grant Description,Agahdariya Grant @@ -3618,7 +3619,6 @@ DocType: Payment Request,Transaction Details,Guhertinên Agahdariyê apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,Ji kerema xwe re li ser 'Çêneke Cedwela' click to get schedule DocType: Item,"Purchase, Replenishment Details","Kirrîn, Hûrguliyên Rêzanîn" DocType: Products Settings,Enable Field Filters,Filtersên Qada çalak bikin -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda Babetê> Koma Rêzan> Brand apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","Mişterî Daxuyaniya Xerîdar" nikare Tiştê Kirînê jî be DocType: Blanket Order Item,Ordered Quantity,Quantity ferman apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",eg "Build Amûrên ji bo hostayan" @@ -4083,7 +4083,7 @@ DocType: BOM,Operating Cost (Company Currency),Cost Operating (Company Exchange) DocType: Authorization Rule,Applicable To (Role),To de evin: (Role) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Leşkerên Pending DocType: BOM Update Tool,Replace BOM,BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Code {0} already exists +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Code {0} already exists DocType: Patient Encounter,Procedures,Procedures apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Fermanên firotanê ji ber hilberê ne DocType: Asset Movement,Purpose,Armanc @@ -4479,6 +4479,7 @@ DocType: Student,AB-,bazirganiya apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Qûta qediyayî ya tevahî divê ji zêrê mezin be DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Heke Sekreterê mehane zûtirîn li PO Po di derbas kirin apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,To Place +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Ji kerema xwe Kesek Firotanê ji bo tiştên: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Navgîniya Stock (GIT derveyî) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Guhertina Veqfa Exchange DocType: POS Profile,Ignore Pricing Rule,Guh Rule Pricing @@ -4524,7 +4525,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,meaş Register DocType: Company,Default warehouse for Sales Return,Wargeha xilas ji bo Vegera Firotanê DocType: Pick List,Parent Warehouse,Warehouse dê û bav -DocType: Subscription,Net Total,Total net +DocType: C-Form Invoice Detail,Net Total,Total net apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Jiyana mayînde ya di rojan de bicîh bikin, da ku qedandina li ser bingeha mêjûya çêkirinê plus jiyana-dirêjker danîn." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Default BOM ji bo babet dîtin ne {0} û Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Row {0}: Ji kerema xwe Modela Pêvekirinê di Pêveka Pevçûnê de bicîh bikin @@ -4636,7 +4637,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},warehouse Target bo row wêneke e {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Operasyonên Retail DocType: Cheque Print Template,Primary Settings,Settings seretayî ya -DocType: Attendance Request,Work From Home,Work From Home +DocType: Attendance,Work From Home,Work From Home DocType: Purchase Invoice,Select Supplier Address,Address Supplier Hilbijêre apps/erpnext/erpnext/public/js/event.js,Add Employees,lê zêde bike Karmendên DocType: Purchase Invoice Item,Quality Inspection,Serperiştiya Quality @@ -5176,7 +5177,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Çareseriya Cotmehê DocType: Cheque Print Template,Cheque Height,Bilindahiya Cheque DocType: Supplier,Supplier Details,Details Supplier DocType: Setup Progress,Setup Progress,Pêşveçûna Pêşveçûn -DocType: Expense Claim,Approval Status,Rewş erêkirina apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Ji nirxê gerek kêmtir ji bo nirxê di rêza be {0} DocType: Program,Intro Video,Video Intro DocType: Manufacturing Settings,Default Warehouses for Production,Ji bo Hilberînê Wargehên Default @@ -5507,7 +5507,6 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Firotin DocType: Purchase Invoice,Rounded Total,Rounded Total apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Ji bo {0} dirûşmeyan di şemiyê de ne zêde ne DocType: Product Bundle,List items that form the package.,tomar Lîsteya ku pakêta avakirin. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nayê destûr kirin. Ji kerema xwe Şablon Şablonê test bike DocType: Sales Invoice,Distance (in km),Distanca (kîlometre) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Kodek rêjeya divê ji% 100 wekhev be apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Ji kerema xwe ve Mesaj Date Beriya hilbijartina Partiya hilbijêre @@ -5637,7 +5636,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,List Price Exchange Rate apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,All Supplier Groups DocType: Employee Boarding Activity,Required for Employee Creation,Pêdivî ye ku ji bo karmendiya karkerê -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Hilberîner> Tîpa pêşkêşkar apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Hejmara Hesabê {0} ji berê ve tê bikaranîn {1} DocType: GoCardless Mandate,Mandate,Mandate DocType: Hotel Room Reservation,Booked,Pirtûka @@ -5702,7 +5700,6 @@ DocType: Production Plan Item,Product Bundle Item,Product Bundle babetî DocType: Sales Partner,Sales Partner Name,Navê firotina Partner apps/erpnext/erpnext/hooks.py,Request for Quotations,Daxwaza ji bo Quotations DocType: Payment Reconciliation,Maximum Invoice Amount,Maximum Mîqdar bi fatûreyên -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () ji bo IBAN-a vala nehişt DocType: Normal Test Items,Normal Test Items,Test Test Items DocType: QuickBooks Migrator,Company Settings,Mîhengên Kompaniyê DocType: Additional Salary,Overwrite Salary Structure Amount,Amûr Daxistina Salarya Daxistinê @@ -5854,6 +5851,7 @@ DocType: Issue,Resolution By Variance,Resolution By Variance DocType: Leave Allocation,Leave Period,Dema bihêlin DocType: Item,Default Material Request Type,Default Material request type DocType: Supplier Scorecard,Evaluation Period,Dema Nirxandinê +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Mişterî> Koma Xerîdar> Herêm apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Nenas apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Fermana kar nehatiye afirandin apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6208,6 +6206,7 @@ DocType: Salary Component,Formula,Formîl apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Quantity pêwîst DocType: Lab Test Template,Lab Test Template,Template Test Lab +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Hilberîner> Tîpa pêşkêşkar apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Hesabê firotanê DocType: Purchase Invoice Item,Total Weight,Total Weight DocType: Pick List Item,Pick List Item,Lîsteya lîsteyê hilbijêrin @@ -6322,6 +6321,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Şandin DocType: Bank Account,Party Type,Type Partiya DocType: Discounted Invoice,Discounted Invoice,Pêşkêşiya vekirî +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Mark beşdarbûn wek DocType: Payment Schedule,Payment Schedule,Schedule Payment apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ji bo nirxa qada qada karker nehat dayîn karmend nehat dîtin. '{}': { DocType: Item Attribute Value,Abbreviation,Kinkirî @@ -6422,7 +6422,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Reason for Putting On Hold DocType: Employee,Personal Email,Email şexsî apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Total Variance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Heke hilbijartî be, di sîstema wê entries hisêba ji bo ambaran de automatically binivîse." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () IBAN nederbasdar qebûl kir apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,brokerage apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Amadebûna ji bo karker {0} ji niha ve ji bo vê roja nîşankirin DocType: Work Order Operation,"in Minutes @@ -6688,6 +6687,7 @@ DocType: Appointment,Customer Details,Details mişterî apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Formên IRS 1099 çap bikin DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Heke bizanin eger Asset hewce dike Parmendiya Parastinê an Tebûlkirinê apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Şirketek nirxandin nikare bêtir 5 karek hene +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Pargîdaniya dêûbav divê pargîdaniyek komê be DocType: Employee,Reports to,raporên ji bo ,Unpaid Expense Claim,Îdîaya Expense Unpaid DocType: Payment Entry,Paid Amount,Şêwaz pere @@ -6775,6 +6775,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,View opp apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Dema Dema Dibistana Dema Dîroka Destpêk û Dema Têkoşîna Trialê Divê Dîroka Destpêk Dabeş bikin apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Rêjeya Navîn +DocType: Appointment,Appointment With,Bi Hevdîtin apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Gava Tiştê Tevî Di nav deynê şertê divê divê tevahî Gund / Gundî be apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Tişta peydakirî ya xerîdar" nikare Rêjeya Valasyonê tune DocType: Subscription Plan Detail,Plan,Pîlan @@ -6905,7 +6906,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp /% Lead DocType: Bank Guarantee,Bank Account Info,Agahiya Hesabê Bank DocType: Bank Guarantee,Bank Guarantee Type,Cureya Qanûna Bankê -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () ji bo IBAN-ê derbasdar têk çû DocType: Payment Schedule,Invoice Portion,Vebijandina Daxistinê ,Asset Depreciations and Balances,Depreciations Asset û hevsengiyên apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Şêwaz {0} {1} veguhestin ji {2} ji bo {3} @@ -7363,6 +7363,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Bac û Bargendên Synch DocType: Purchase Invoice,Write Off Amount (Company Currency),Hewe Off Mîqdar (Company Exchange) DocType: Sales Invoice Timesheet,Billing Hours,Saet Billing DocType: Project,Total Sales Amount (via Sales Order),Giştî ya Firotinê (ji hêla firotina firotanê) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Row {0}: Nîşana bacê ya Invalid ji bo tiştên {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,BOM Default ji bo {0} nehate dîtin apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Dîroka Destpêka Salê Fasîkî divê salek berê ji Dîroka Dawiya Salê ya Fasîkal be apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Row # {0}: Hêvîye set dorpêçê de DIRTYHERTZ @@ -7556,7 +7557,6 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The share DocType: Dosage Form,Dosage Form,Forma Dosage apps/erpnext/erpnext/config/buying.py,Price List master.,List Price master. DocType: Task,Review Date,Date Review -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Mark beşdarbûn wek DocType: BOM,Allow Alternative Item,Pirtûka Alternatîf apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Pêşwaziya Kirînê Itemê Tişteyek ji bo Tiştê Nimêja Hesabdayînê hatî tune. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Pêşkêşiya Grand Total @@ -7781,7 +7781,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Rêzika Max Max Retry apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,List Price nehate dîtin an jî neçalakirinName DocType: Content Activity,Last Activity ,Actalakiya paşîn -DocType: Student Applicant,Approved,pejirandin DocType: Pricing Rule,Price,Biha apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Xebatkarê hebekî li ser {0} bê mîhenkirin wek 'Çepê' DocType: Guardian,Guardian,Wekîl @@ -7953,6 +7952,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Perçûna Perê DocType: GL Entry,To Rename,Navnav kirin DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Hilbijêrin ku Hejmara Serialê zêde bikin. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ji kerema xwe Li Perwerde> Mîhengên Perwerdehiyê Sîstema Navkirin a Sêwiran saz bikin apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Ji kerema xwe kodê Faşsalê ji bo xerîdar '% s' bicîh bikin apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Ji kerema xwe re yekem şirket hilbijêre DocType: Item Attribute,Numeric Values,Nirxên hejmar @@ -7969,6 +7969,7 @@ DocType: Salary Detail,Additional Amount,Amaje zêde apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Têxe vala ye apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Naverokê {0} tune ye Serial No. Hejmarên tenê serilialized \ dikare li ser Serial No li ser bingeha xwarina xweşînek heye +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Mîqdara Beledandî DocType: Vehicle,Model,Cins DocType: Work Order,Actual Operating Cost,Cost Operating rastî DocType: Payment Entry,Cheque/Reference No,Cheque / Çavkanî No diff --git a/erpnext/translations/lo.csv b/erpnext/translations/lo.csv index f6678dc135..d1ec26ad7b 100644 --- a/erpnext/translations/lo.csv +++ b/erpnext/translations/lo.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,ຈຳ ນວນການ DocType: Exchange Rate Revaluation Account,New Exchange Rate,ອັດຕາແລກປ່ຽນໃຫມ່ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},ສະກຸນເງິນແມ່ນຕ້ອງການສໍາລັບລາຄາ {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ຈະໄດ້ຮັບການຄິດໄລ່ໃນການໄດ້. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ພະນັກງານໃນຊັບພະຍາກອນມະນຸດ> ການຕັ້ງຄ່າ HR DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-YYYY.- DocType: Purchase Order,Customer Contact,ຕິດຕໍ່ລູກຄ້າ DocType: Shift Type,Enable Auto Attendance,ເປີດໃຊ້ງານອັດຕະໂນມັດການເຂົ້າຮ່ວມ @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,ທັງຫມົດຂອງຜູ້ DocType: Support Settings,Support Settings,ການຕັ້ງຄ່າສະຫນັບສະຫນູນ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},ບັນຊີ {0} ແມ່ນຖືກເພີ່ມເຂົ້າໃນບໍລິສັດເດັກ {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,ຂໍ້ມູນປະ ຈຳ ບໍ່ຖືກຕ້ອງ +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,ເຮັດເຄື່ອງ ໝາຍ ຈາກເຮືອນ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ມີ ITC (ບໍ່ວ່າຈະຢູ່ໃນສ່ວນເຕັມ) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Settings apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,ການປຸງແຕ່ງບັດເຕີມເງິນ @@ -409,7 +409,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,ຈຳ ນວ apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,ລາຍລະອຽດສະມາຊິກ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Supplier ຈໍາເປັນຕ້ອງຕໍ່ບັນຊີ Payable {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,ລາຍການແລະລາຄາ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ລູກຄ້າ> ກຸ່ມລູກຄ້າ> ອານາເຂດ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},ຊົ່ວໂມງທັງຫມົດ: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},ຈາກວັນທີ່ຄວນຈະຢູ່ໃນປີງົບປະມານ. ສົມມຸດວ່າຈາກ Date = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-YYYY.- @@ -456,7 +455,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,ຕົວເລືອກທີ່ເລືອກ DocType: SG Creation Tool Course,SG Creation Tool Course,SG ຂອງລາຍວິຊາເຄື່ອງມືການສ້າງ DocType: Bank Statement Transaction Invoice Item,Payment Description,ຄໍາອະທິບາຍການຈ່າຍເງິນ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,ກະລຸນາຕັ້ງຊຸດການໃສ່ຊື່ ສຳ ລັບ {0} ຜ່ານການຕັ້ງຄ່າ> ການຕັ້ງຄ່າ> ຊຸດການຕັ້ງຊື່ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,ບໍ່ພຽງພໍ Stock DocType: Email Digest,New Sales Orders,ໃບສັ່ງຂາຍໃຫມ່ DocType: Bank Account,Bank Account,ບັນຊີທະນາຄານ @@ -778,6 +776,7 @@ DocType: Request for Quotation,Request for Quotation,ການຮ້ອງຂໍ DocType: Healthcare Settings,Require Lab Test Approval,ຕ້ອງການການອະນຸມັດທົດລອງທົດລອງ DocType: Attendance,Working Hours,ຊົ່ວໂມງເຮັດວຽກ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,ຍອດລວມທັງຫມົດ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ປັດໄຈການປ່ຽນ UOM ({0} -> {1}) ບໍ່ພົບ ສຳ ລັບລາຍການ: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,ການປ່ຽນແປງ / ຈໍານວນລໍາດັບການເລີ່ມຕົ້ນໃນປັດຈຸບັນຂອງໄລຍະການທີ່ມີຢູ່ແລ້ວ. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,ເປີເຊັນທີ່ທ່ານໄດ້ຮັບອະນຸຍາດໃຫ້ເກັບໃບບິນຫຼາຍກວ່າ ຈຳ ນວນທີ່ສັ່ງ. ຕົວຢ່າງ: ຖ້າມູນຄ່າການສັ່ງສິນຄ້າແມ່ນ $ 100 ສຳ ລັບສິນຄ້າແລະຄວາມທົນທານໄດ້ຖືກ ກຳ ນົດເປັນ 10% ແລ້ວທ່ານຈະໄດ້ຮັບອະນຸຍາດໃຫ້ເກັບເງີນເປັນ 110 ໂດລາ. DocType: Dosage Strength,Strength,ຄວາມເຂັ້ມແຂງ @@ -1272,7 +1271,6 @@ DocType: Timesheet,Total Billed Hours,ທັງຫມົດຊົ່ວໂມງ DocType: Pricing Rule Item Group,Pricing Rule Item Group,ກຸ່ມລະຫັດລາຄາ DocType: Travel Itinerary,Travel To,ການເດີນທາງໄປ apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,ແມ່ບົດການປະເມີນອັດຕາແລກປ່ຽນ. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ກະລຸນາຕິດຕັ້ງຊຸດ ໝາຍ ເລກ ສຳ ລັບການເຂົ້າຮ່ວມຜ່ານການຕັ້ງຄ່າ> ເລກ ລຳ ດັບ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,ຂຽນ Off ຈໍານວນ DocType: Leave Block List Allow,Allow User,ອະນຸຍາດໃຫ້ຜູ້ໃຊ້ DocType: Journal Entry,Bill No,ບັນຊີລາຍການບໍ່ມີ @@ -1629,6 +1627,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,ສິ່ງຈູງໃຈ apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ຄຸນຄ່າຂອງການຊິ້ງຂໍ້ມູນ apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,ມູນຄ່າຄວາມແຕກຕ່າງ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ກະລຸນາຕິດຕັ້ງຊຸດ ໝາຍ ເລກ ສຳ ລັບການເຂົ້າຮຽນຜ່ານການຕິດຕັ້ງ> ຊຸດເລກ ລຳ ດັບ DocType: SMS Log,Requested Numbers,ຈໍານວນການຮ້ອງຂໍ DocType: Volunteer,Evening,ຕອນແລງ DocType: Quiz,Quiz Configuration,ການຕັ້ງຄ່າ Quiz @@ -1796,6 +1795,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,ຈາກ DocType: Student Admission,Publish on website,ເຜີຍແຜ່ກ່ຽວກັບເວັບໄຊທ໌ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,ວັນທີ່ສະຫມັກສະຫນອງ Invoice ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາປະກາດວັນທີ່ DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ລະຫັດສິນຄ້າ> ກຸ່ມລາຍການ> ຍີ່ຫໍ້ DocType: Subscription,Cancelation Date,ວັນທີຍົກເລີກ DocType: Purchase Invoice Item,Purchase Order Item,ການສັ່ງຊື້ສິນຄ້າ DocType: Agriculture Task,Agriculture Task,ການກະສິກໍາ @@ -2404,7 +2404,6 @@ DocType: Promotional Scheme,Product Discount Slabs,ແຜ່ນຫຼຸດລ DocType: Target Detail,Target Distribution,ການແຜ່ກະຈາຍເປົ້າຫມາຍ DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalization of the assessment temporarily apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,ການ ນຳ ເຂົ້າພາກສ່ວນແລະທີ່ຢູ່ -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ປັດໄຈການປ່ຽນ UOM ({0} -> {1}) ບໍ່ພົບ ສຳ ລັບລາຍການ: {2} DocType: Salary Slip,Bank Account No.,ເລກທີ່ບັນຊີທະນາຄານ DocType: Naming Series,This is the number of the last created transaction with this prefix,ນີ້ແມ່ນຈໍານວນຂອງການສ້າງຕັ້ງຂື້ນໃນທີ່ຜ່ານມາມີຄໍານໍາຫນ້ານີ້ DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2798,6 +2797,9 @@ DocType: Company,Default Holiday List,ມາດຕະຖານບັນຊີ Ho DocType: Pricing Rule,Supplier Group,Supplier Group apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},ຕິດຕໍ່ກັນ {0}: ຈາກທີ່ໃຊ້ເວລາແລະການໃຊ້ເວລາຂອງ {1} ແມ່ນ overlapping ກັບ {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",BOM ທີ່ມີຊື່ {0} ມີຢູ່ແລ້ວ ສຳ ລັບລາຍການ {1}.
ທ່ານໄດ້ປ່ຽນຊື່ສິນຄ້າແລ້ວບໍ? ກະລຸນາຕິດຕໍ່ຜູ້ບໍລິຫານ / ເຕັກໂນໂລຢີ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,ຫນີ້ສິນ Stock DocType: Purchase Invoice,Supplier Warehouse,Supplier Warehouse DocType: Opportunity,Contact Mobile No,ການຕິດຕໍ່ໂທລະສັບມືຖື @@ -3246,6 +3248,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,ຕາຕະລາງກອງປະຊຸມຄຸນນະພາບ apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,ຢ້ຽມຊົມຟໍລັ່ມ +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,ບໍ່ສາມາດເຮັດ ສຳ ເລັດວຽກ {0} ຍ້ອນວ່າວຽກທີ່ເພິ່ງພາອາໄສ {1} ບໍ່ໄດ້ຖືກຍົກເລີກ / ຍົກເລີກ. DocType: Student,Student Mobile Number,ຈໍານວນໂທລະສັບມືຖືນັກສຶກສາ DocType: Item,Has Variants,ມີ Variants DocType: Employee Benefit Claim,Claim Benefit For,Claim Benefit For @@ -3407,7 +3410,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),ຈໍານວນການ apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,ສ້າງຕາຕະລາງຄ່າ ທຳ ນຽມ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,ລາຍການລູກຄ້າຊ້ໍາ DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ກະລຸນາຕັ້ງລະບົບການຕັ້ງຊື່ຜູ້ສອນໃນການສຶກສາ> ການຕັ້ງຄ່າການສຶກສາ DocType: Quiz,Enter 0 to waive limit,ໃສ່ເບີ 0 ເພື່ອຍົກເວັ້ນຂີດ ຈຳ ກັດ DocType: Bank Statement Settings,Mapped Items,Mapped Items DocType: Amazon MWS Settings,IT,IT @@ -3441,7 +3443,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",ບໍ່ມີຊັບສິນພຽງພໍທີ່ຖືກສ້າງຂື້ນຫລືເຊື່ອມໂຍງກັບ {0}. \ ກະລຸນາສ້າງຫຼືເຊື່ອມໂຍງ {1} ຊັບສິນກັບເອກະສານທີ່ກ່ຽວຂ້ອງ. DocType: Pricing Rule,Apply Rule On Brand,ນຳ ໃຊ້ກົດລະບຽບກ່ຽວກັບຍີ່ຫໍ້ DocType: Task,Actual End Date (via Time Sheet),ຕົວຈິງວັນທີ່ສິ້ນສຸດ (ຜ່ານທີ່ໃຊ້ເວລາ Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,ບໍ່ສາມາດປິດວຽກ {0} ຍ້ອນວ່າວຽກທີ່ຂື້ນກັບຂອງມັນ {1} ບໍ່ໄດ້ປິດ. DocType: Soil Texture,Soil Type,ປະເພດດິນ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},ຈໍານວນ {0} {1} ກັບ {2} {3} ,Quotation Trends,ແນວໂນ້ມວົງຢືມ @@ -3471,6 +3472,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,ຍານພາຫະນະຂ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Supplier Scorecard ປະຈໍາ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},ແຖວ {0}: ບັນຊີລາຍການຂອງວັດສະດຸບໍ່ພົບມູນ {1} DocType: Contract Fulfilment Checklist,Requirement,ຄວາມຕ້ອງການ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ພະນັກງານໃນຊັບພະຍາກອນມະນຸດ> ການຕັ້ງຄ່າ HR DocType: Journal Entry,Accounts Receivable,ບັນຊີລູກຫນີ້ DocType: Quality Goal,Objectives,ຈຸດປະສົງ DocType: HR Settings,Role Allowed to Create Backdated Leave Application,ບົດບາດທີ່ອະນຸຍາດໃຫ້ສ້າງໃບສະ ໝັກ ການພັກຜ່ອນແບບເກົ່າ @@ -3612,6 +3614,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,ການນໍາໃຊ້ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,ລາຍລະອຽດຂອງການສະ ໜອງ ພາຍນອກແລະການສະ ໜອງ ພາຍໃນຕ້ອງຮັບຜິດຊອບຕໍ່ການເກັບຄ່າ ທຳ ນຽມທາງ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re: ເປີດ +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,ບໍ່ອະນຸຍາດ. ກະລຸນາປິດການໃຊ້ແບບທົດລອງຫ້ອງທົດລອງ DocType: Sales Invoice Item,Qty as per Stock UOM,ຈໍານວນເປັນຕໍ່ Stock UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,ຊື່ Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,ບໍລິສັດຮາກ @@ -3671,6 +3674,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,ປະເພດທຸລະກິດ DocType: Sales Invoice,Consumer,ຜູ້ບໍລິໂພກ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","ກະລຸນາເລືອກນວນການຈັດສັນ, ປະເພດໃບເກັບເງິນແລະຈໍານວນໃບເກັບເງິນໃນ atleast ຫນຶ່ງຕິດຕໍ່ກັນ" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,ກະລຸນາຕັ້ງຊຸດການໃສ່ຊື່ ສຳ ລັບ {0} ຜ່ານການຕັ້ງຄ່າ> ການຕັ້ງຄ່າ> ຊຸດການຕັ້ງຊື່ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,ຄ່າໃຊ້ຈ່າຍຂອງການສັ່ງຊື້ໃຫມ່ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},ຂາຍສິນຄ້າຕ້ອງການສໍາລັບລາຍການ {0} DocType: Grant Application,Grant Description,Grant Description @@ -3697,7 +3701,6 @@ DocType: Payment Request,Transaction Details,ລາຍລະອຽດການ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,ກະລຸນາຄລິກໃສ່ "ສ້າງຕາຕະລາງການ 'ໄດ້ຮັບການກໍານົດເວລາ DocType: Item,"Purchase, Replenishment Details","ການຊື້, ລາຍລະອຽດການຕື່ມຂໍ້ມູນ" DocType: Products Settings,Enable Field Filters,ເປີດ ນຳ ໃຊ້ຕົວກອງແບບ Field -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ລະຫັດສິນຄ້າ> ກຸ່ມລາຍການ> ຍີ່ຫໍ້ apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","ສິນຄ້າທີ່ສະ ໜອງ ໃຫ້ລູກຄ້າ" ກໍ່ບໍ່ສາມາດຊື້ສິນຄ້າໄດ້ເຊັ່ນກັນ DocType: Blanket Order Item,Ordered Quantity,ຈໍານວນຄໍາສັ່ງ apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",ຕົວຢ່າງ: "ການກໍ່ສ້າງເຄື່ອງມືສໍາລັບການສ້າງ" @@ -4170,7 +4173,7 @@ DocType: BOM,Operating Cost (Company Currency),ຄ່າໃຊ້ຈ່າຍປ DocType: Authorization Rule,Applicable To (Role),ສາມາດນໍາໃຊ້ການ (ພາລະບົດບາດ) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,ລໍຖ້າໃບ DocType: BOM Update Tool,Replace BOM,ແທນທີ່ BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,ລະຫັດ {0} ມີຢູ່ແລ້ວ +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,ລະຫັດ {0} ມີຢູ່ແລ້ວ DocType: Patient Encounter,Procedures,Procedures apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,ຄໍາສັ່ງຂາຍບໍ່ສາມາດໃຊ້ໄດ້ສໍາລັບການຜະລິດ DocType: Asset Movement,Purpose,ຈຸດປະສົງ @@ -4267,6 +4270,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,ບໍ່ສົນໃຈ DocType: Warranty Claim,Service Address,ທີ່ຢູ່ບໍລິການ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,ການ ນຳ ເຂົ້າຂໍ້ມູນ Master DocType: Asset Maintenance Task,Calibration,Calibration +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ລາຍການທົດລອງຫ້ອງທົດລອງ {0} ມີຢູ່ແລ້ວ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ເປັນວັນພັກຂອງບໍລິສັດ apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ຊົ່ວໂມງບິນໄດ້ apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,ອອກຈາກແຈ້ງການສະຖານະພາບ @@ -4620,7 +4624,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,ເງິນເດືອນຫມັກສະມາຊິກ DocType: Company,Default warehouse for Sales Return,ຄັງສິນຄ້າເລີ່ມຕົ້ນ ສຳ ລັບການສົ່ງຄືນການຂາຍ DocType: Pick List,Parent Warehouse,Warehouse ພໍ່ແມ່ -DocType: Subscription,Net Total,Total net +DocType: C-Form Invoice Detail,Net Total,Total net apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","ກຳ ນົດຊີວິດຂອງສິນຄ້າໃນວັນ, ເພື່ອ ກຳ ນົດ ໝົດ ອາຍຸໂດຍອີງໃສ່ວັນທີຜະລິດບວກກັບຊີວິດຂອງຊັ້ນວາງ." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Default BOM ບໍ່ພົບລາຍການ {0} ແລະໂຄງການ {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,ແຖວ {0}: ກະລຸນາ ກຳ ນົດຮູບແບບການຈ່າຍເງິນໃນຕາຕະລາງການຈ່າຍເງິນ @@ -4735,7 +4739,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},ຄັງສິນຄ້າເປົ້າຫມາຍມີຜົນບັງຄັບສໍາລັບການຕິດຕໍ່ກັນ {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,ການປະຕິບັດການຂາຍຍ່ອຍ DocType: Cheque Print Template,Primary Settings,ການຕັ້ງຄ່າປະຖົມ -DocType: Attendance Request,Work From Home,ເຮັດວຽກຈາກບ້ານ +DocType: Attendance,Work From Home,ເຮັດວຽກຈາກບ້ານ DocType: Purchase Invoice,Select Supplier Address,ເລືອກທີ່ຢູ່ຜູ້ຜະລິດ apps/erpnext/erpnext/public/js/event.js,Add Employees,ຕື່ມການພະນັກງານ DocType: Purchase Invoice Item,Quality Inspection,ກວດສອບຄຸນະພາບ @@ -4979,8 +4983,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL ການອະນຸຍາດ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},ຈໍານວນ {0} {1} {2} {3} DocType: Account,Depreciation,ຄ່າເສື່ອມລາຄາ -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","ກະລຸນາລຶບພະນັກງານ {0} \ ເພື່ອຍົກເລີກເອກະສານນີ້" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,ຈໍານວນຮຸ້ນແລະຈໍານວນຮຸ້ນແມ່ນບໍ່ສອດຄ່ອງກັນ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),ຜູ້ສະຫນອງ (s) DocType: Employee Attendance Tool,Employee Attendance Tool,ເຄື່ອງມືການເຂົ້າຮ່ວມຂອງພະນັກງານ @@ -5290,7 +5292,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Plant Criteria Analysis DocType: Cheque Print Template,Cheque Height,ກະແສລາຍວັນສູງ DocType: Supplier,Supplier Details,ລາຍລະອຽດສະຫນອງ DocType: Setup Progress,Setup Progress,setup ຄວາມຄືບຫນ້າ -DocType: Expense Claim,Approval Status,ສະຖານະການອະນຸມັດ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},ຈາກມູນຄ່າຕ້ອງບໍ່ເກີນມູນຄ່າໃນການຕິດຕໍ່ກັນ {0} DocType: Program,Intro Video,ວິດີໂອແນະ ນຳ DocType: Manufacturing Settings,Default Warehouses for Production,ສາງເລີ່ມຕົ້ນ ສຳ ລັບການຜະລິດ @@ -5634,7 +5635,6 @@ DocType: Purchase Invoice,Rounded Total,ກົມທັງຫມົດ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,ສະລັອດຕິງສໍາລັບ {0} ບໍ່ໄດ້ຖືກເພີ່ມເຂົ້າໃນຕາຕະລາງ DocType: Product Bundle,List items that form the package.,ລາຍການບັນຊີລາຍການທີ່ປະກອບເປັນຊຸດຂອງ. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},ສະຖານທີ່ເປົ້າ ໝາຍ ແມ່ນຕ້ອງການໃນຂະນະທີ່ໂອນຊັບສິນ {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,ບໍ່ອະນຸຍາດ. ກະລຸນາປິດແບບແມ່ແບບການທົດສອບ DocType: Sales Invoice,Distance (in km),ໄລຍະທາງ (ກິໂລແມັດ) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,ອັດຕາສ່ວນການຈັດສັນຄວນຈະເທົ່າກັບ 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,ກະລຸນາເລືອກວັນທີ່ປະກາດກ່ອນທີ່ຈະເລືອກພັກ @@ -5765,7 +5765,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,ລາຄາອັດຕາແລກປ່ຽນບັນຊີ apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,All Supplier Groups DocType: Employee Boarding Activity,Required for Employee Creation,ຕ້ອງການສໍາລັບການສ້າງພະນັກງານ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ຜູ້ສະ ໜອງ ສິນຄ້າ> ປະເພດຜູ້ສະ ໜອງ ສິນຄ້າ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},ບັນຊີ {0} ແລ້ວໃຊ້ໃນບັນຊີ {1} DocType: GoCardless Mandate,Mandate,Mandate DocType: Hotel Room Reservation,Booked,ຖືກຈອງ @@ -5831,7 +5830,6 @@ DocType: Production Plan Item,Product Bundle Item,ຜະລິດຕະພັນ DocType: Sales Partner,Sales Partner Name,ຊື່ Partner ຂາຍ apps/erpnext/erpnext/hooks.py,Request for Quotations,ການຮ້ອງຂໍສໍາລັບວົງຢືມ DocType: Payment Reconciliation,Maximum Invoice Amount,ຈໍານວນໃບເກັບເງິນສູງສຸດ -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () ລົ້ມເຫລວ ສຳ ລັບ IBAN ທີ່ບໍ່ມີບ່ອນຫວ່າງ DocType: Normal Test Items,Normal Test Items,Normal Test Items DocType: QuickBooks Migrator,Company Settings,ບໍລິສັດກໍານົດ DocType: Additional Salary,Overwrite Salary Structure Amount,Overwrite Salary Structure Amount @@ -5985,6 +5983,7 @@ DocType: Issue,Resolution By Variance,ການແກ້ໄຂໂດຍ Variance DocType: Leave Allocation,Leave Period,ອອກຈາກໄລຍະເວລາ DocType: Item,Default Material Request Type,ມາດຕະຖານການວັດສະດຸປະເພດຂໍ DocType: Supplier Scorecard,Evaluation Period,ການປະເມີນຜົນໄລຍະເວລາ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ລູກຄ້າ> ກຸ່ມລູກຄ້າ> ອານາເຂດ apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,ບໍ່ຮູ້ຈັກ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,ຄໍາສັ່ງເຮັດວຽກບໍ່ໄດ້ສ້າງ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6350,8 +6349,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial: DocType: Material Request Plan Item,Required Quantity,ຈຳ ນວນທີ່ ຈຳ ເປັນ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},ໄລຍະເວລາການບັນຊີຊ້ອນກັນກັບ {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ຜູ້ສະ ໜອງ ສິນຄ້າ> ປະເພດຜູ້ສະ ໜອງ ສິນຄ້າ apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,ບັນຊີການຂາຍ DocType: Purchase Invoice Item,Total Weight,ນ້ໍາຫນັກລວມ +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ກະລຸນາລຶບພະນັກງານ {0} \ ເພື່ອຍົກເລີກເອກະສານນີ້" DocType: Pick List Item,Pick List Item,ເລືອກລາຍການລາຍການ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,ຄະນະກໍາມະການຂາຍ DocType: Job Offer Term,Value / Description,ມູນຄ່າ / ລາຍລະອຽດ @@ -6466,6 +6468,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Signed On DocType: Bank Account,Party Type,ປະເພດພັກ DocType: Discounted Invoice,Discounted Invoice,ໃບເກັບເງິນຫຼຸດ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,ໝາຍ ເອົາການເຂົ້າຮຽນເປັນ DocType: Payment Schedule,Payment Schedule,ຕາຕະລາງການຈ່າຍເງິນ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ບໍ່ພົບພະນັກງານ ສຳ ລັບມູນຄ່າພາກສະ ໜາມ ຂອງພະນັກງານທີ່ໄດ້ຮັບ. '{}': {} DocType: Item Attribute Value,Abbreviation,ຊື່ຫຍໍ້ @@ -6568,7 +6571,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,ເຫດຜົນສໍາ DocType: Employee,Personal Email,ອີເມວສ່ວນຕົວ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,ຕ່າງທັງຫມົດ DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","ຖ້າຫາກວ່າເປີດການໃຊ້ງານ, ລະບົບຈະສະແດງການອອກສຽງການບັນຊີສໍາລັບສິນຄ້າຄົງຄັງອັດຕະໂນມັດ." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () ຍອມຮັບ IBAN ທີ່ບໍ່ຖືກຕ້ອງ {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerage apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,ຜູ້ເຂົ້າຮ່ວມສໍາລັບພະນັກງານ {0} ແມ່ນຫມາຍແລ້ວສໍາລັບມື້ນີ້ DocType: Work Order Operation,"in Minutes @@ -6839,6 +6841,7 @@ DocType: Appointment,Customer Details,ລາຍລະອຽດຂອງລູກ apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,ພິມແບບຟອມ IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,ກວດເບິ່ງວ່າຊັບສິນຕ້ອງການການຮັກສາຄວາມປອດໄພຫຼືການປັບຄ່າ apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,ຊື່ຫຍໍ້ຂອງບໍລິສັດບໍ່ສາມາດມີຫລາຍກວ່າ 5 ຕົວອັກສອນ +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,ບໍລິສັດແມ່ຕ້ອງແມ່ນບໍລິສັດກຸ່ມ DocType: Employee,Reports to,ບົດລາຍງານການ ,Unpaid Expense Claim,ການຮ້ອງຂໍຄ່າໃຊ້ຈ່າຍບໍ່ທັນໄດ້ຈ່າຍ DocType: Payment Entry,Paid Amount,ຈໍານວນເງິນຊໍາລະເງິນ @@ -6928,6 +6931,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,ນັບ Opp apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,ວັນທີເລີ່ມຕົ້ນແລະໄລຍະເວລາໄລຍະເວລາການທົດລອງຕ້ອງຖືກກໍານົດໄວ້ທັງສອງໄລຍະເວລາທົດລອງ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,ອັດຕາເສລີ່ຍ +DocType: Appointment,Appointment With,ນັດພົບກັບ apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ຈໍານວນເງິນຈ່າຍທັງຫມົດໃນຕາຕະລາງການຊໍາລະເງິນຕ້ອງເທົ່າກັບ Grand / Total Rounded apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","ສິນຄ້າທີ່ໃຫ້ກັບລູກຄ້າ" ບໍ່ສາມາດມີອັດຕາການປະເມີນມູນຄ່າໄດ້ DocType: Subscription Plan Detail,Plan,ແຜນການ @@ -7061,7 +7065,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Bank Account Info DocType: Bank Guarantee,Bank Guarantee Type,ປະເພດການຮັບປະກັນທະນາຄານ -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () ລົ້ມເຫລວ ສຳ ລັບ IBAN ທີ່ຖືກຕ້ອງ {} DocType: Payment Schedule,Invoice Portion,ໃບແຈ້ງຫນີ້ ,Asset Depreciations and Balances,ຄ່າເສື່ອມລາຄາຂອງຊັບສິນແລະຍອດ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},ຈໍານວນ {0} {1} ການຍົກຍ້າຍຈາກ {2} ກັບ {3} @@ -7731,7 +7734,6 @@ DocType: Dosage Form,Dosage Form,ແບບຟອມຢາ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},ກະລຸນາຕັ້ງຕາຕະລາງການໂຄສະນາໃນແຄມເປນ {0} apps/erpnext/erpnext/config/buying.py,Price List master.,ລາຄາຕົ້ນສະບັບ. DocType: Task,Review Date,ການທົບທວນຄືນວັນທີ່ -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,ໝາຍ ເອົາການເຂົ້າຮຽນເປັນ DocType: BOM,Allow Alternative Item,ອະນຸຍາດໃຫ້ເອກະສານທາງເລືອກ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,ໃບຮັບເງິນການຊື້ບໍ່ມີລາຍການທີ່ຕົວຢ່າງ Retain ຖືກເປີດໃຊ້ງານ. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ໃບເກັບເງິນ Grand Total @@ -7963,7 +7965,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,ລາຄາບໍ່ພົບຫຼືຄົນພິການ DocType: Content Activity,Last Activity ,ກິດຈະ ກຳ ສຸດທ້າຍ -DocType: Student Applicant,Approved,ການອະນຸມັດ DocType: Pricing Rule,Price,ລາຄາ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',ພະນັກງານສະບາຍໃຈໃນ {0} ຕ້ອງໄດ້ຮັບການສ້າງຕັ້ງເປັນ 'ຊ້າຍ' DocType: Guardian,Guardian,ຜູ້ປົກຄອງ @@ -8135,6 +8136,7 @@ DocType: Taxable Salary Slab,Percent Deduction,ການຫັກສ່ວນຮ DocType: GL Entry,To Rename,ເພື່ອປ່ຽນຊື່ DocType: Stock Entry,Repack,ຫຸ້ມຫໍ່ຄືນ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,ເລືອກທີ່ຈະເພີ່ມ Serial Number. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ຜູ້ສອນໃນການສຶກສາ> ການຕັ້ງຄ່າການສຶກສາ apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',ກະລຸນາຕັ້ງລະຫັດງົບປະມານ ສຳ ລັບລູກຄ້າ '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,ກະລຸນາເລືອກບໍລິສັດທໍາອິດ DocType: Item Attribute,Numeric Values,ມູນຄ່າຈໍານວນ @@ -8151,6 +8153,7 @@ DocType: Salary Detail,Additional Amount,ຈຳ ນວນເພີ່ມເຕ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,ໂຄງຮ່າງການແມ່ນບໍ່ມີ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Item {0} ບໍ່ມີ Serial No. ພຽງແຕ່ລາຍການ serilialized \ ສາມາດມີການຈັດສົ່ງໂດຍອີງຕາມ Serial No +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,ຈຳ ນວນເງິນທີ່ເສື່ອມລາຄາ DocType: Vehicle,Model,ຮູບແບບ DocType: Work Order,Actual Operating Cost,ຄ່າໃຊ້ຈ່າຍປະຕິບັດຕົວຈິງ DocType: Payment Entry,Cheque/Reference No,ກະແສລາຍວັນ / Reference No diff --git a/erpnext/translations/lt.csv b/erpnext/translations/lt.csv index a2879d3e1a..2cb1485688 100644 --- a/erpnext/translations/lt.csv +++ b/erpnext/translations/lt.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Standartinė neapmokestini DocType: Exchange Rate Revaluation Account,New Exchange Rate,Naujas kursas apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Valiutų reikia kainoraščio {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Bus apskaičiuojama sandorį. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Prašome nustatyti darbuotojų įvardijimo sistemą skyriuje Žmogiškieji ištekliai> HR nustatymai DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Klientų Susisiekite DocType: Shift Type,Enable Auto Attendance,Įgalinti automatinį lankymą @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Visi tiekėju Kontaktai Reklama DocType: Support Settings,Support Settings,paramos Nustatymai apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Paskyra {0} pridedama vaikų įmonėje {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Netinkami kredencialai +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Pažymėti darbą iš namų apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC yra prieinamas (ar visa jo dalis) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazonės MWS nustatymai apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Apmokėjimo kvitai @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,"Prekės vertė apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Narystės duomenys apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Tiekėjas privalo prieš MOKĖTINOS sąskaitą {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Elementus ir kainodara -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klientas> Klientų grupė> Teritorija apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Iš viso valandų: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Nuo data turėtų būti per finansinius metus. Darant prielaidą Iš data = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -775,6 +774,7 @@ DocType: Request for Quotation,Request for Quotation,Užklausimas DocType: Healthcare Settings,Require Lab Test Approval,Reikalauti gero bandymo patvirtinimo DocType: Attendance,Working Hours,Darbo valandos apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Viso neįvykdyti +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konversijos koeficientas ({0} -> {1}) nerastas elementui: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Pakeisti pradinį / trumpalaikiai eilės numerį esamo serijos. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Procentas, kuriam leidžiama sumokėti daugiau už užsakytą sumą. Pvz .: Jei prekės užsakymo vertė yra 100 USD, o paklaida yra nustatyta 10%, tada leidžiama atsiskaityti už 110 USD." DocType: Dosage Strength,Strength,Jėga @@ -1266,7 +1266,6 @@ DocType: Timesheet,Total Billed Hours,Iš viso Apmokestintos valandos DocType: Pricing Rule Item Group,Pricing Rule Item Group,Kainos nustatymo taisyklių grupė DocType: Travel Itinerary,Travel To,Keliauti į apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Valiutų kurso perkainojimo meistras. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Prašome nustatyti numeracijos serijas lankymui per sąranką> Numeravimo serijos apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Nurašyti suma DocType: Leave Block List Allow,Allow User,leidžia vartotojui DocType: Journal Entry,Bill No,Billas Nėra @@ -1623,6 +1622,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,paskatos apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Vertės nesinchronizuotos apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Skirtumo reikšmė +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Prašome nustatyti numeracijos serijas lankymui per sąranką> Numeravimo serijos DocType: SMS Log,Requested Numbers,Pageidaujami numeriai DocType: Volunteer,Evening,Vakaras DocType: Quiz,Quiz Configuration,Viktorinos konfigūracija @@ -1790,6 +1790,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Iš vieto DocType: Student Admission,Publish on website,Skelbti tinklapyje apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Tiekėjas sąskaitos faktūros išrašymo data negali būti didesnis nei Skelbimo data DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Prekės kodas> Prekių grupė> Prekės ženklas DocType: Subscription,Cancelation Date,Atšaukimo data DocType: Purchase Invoice Item,Purchase Order Item,Pirkimui užsakyti Elementą DocType: Agriculture Task,Agriculture Task,Žemės ūkio Užduotis @@ -2398,7 +2399,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Prekės nuolaidų plokštės DocType: Target Detail,Target Distribution,Tikslinė pasiskirstymas DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Laikinojo vertinimo finalizavimas apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importuojančios šalys ir adresai -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konversijos koeficientas ({0} -> {1}) nerastas elementui: {2} DocType: Salary Slip,Bank Account No.,Banko sąskaitos Nr DocType: Naming Series,This is the number of the last created transaction with this prefix,Tai yra paskutinio sukurto skaičius operacijoje su šio prefikso DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2792,6 +2792,9 @@ DocType: Company,Default Holiday List,Numatytasis poilsis sąrašas DocType: Pricing Rule,Supplier Group,Tiekėjų grupė apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Eilutės {0}: Nuo laiką ir Laikas {1} iš dalies sutampa su {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ","BOM, kurio pavadinimas {0}, jau yra elementui {1}.
Ar pervardijote prekę? Kreipkitės į administratorių / techninį palaikymą" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Akcijų Įsipareigojimai DocType: Purchase Invoice,Supplier Warehouse,tiekėjas tiekiantis sandėlis DocType: Opportunity,Contact Mobile No,Kontaktinė Mobilus Nėra @@ -3240,6 +3243,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Kokybės susitikimų stalas apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Apsilankykite forumuose +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Neįmanoma atlikti užduoties {0}, nes nuo jos priklausoma užduotis {1} nėra baigta / atšaukta." DocType: Student,Student Mobile Number,Studentų Mobilusis Telefonas Numeris DocType: Item,Has Variants,turi variantams DocType: Employee Benefit Claim,Claim Benefit For,Pretenzijos išmoka už @@ -3401,7 +3405,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Iš viso Atsiskaitymo suma ( apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Susikurkite mokesčių grafiką apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Pakartokite Klientų pajamos DocType: Soil Texture,Silty Clay Loam,Šilkmedžio sluoksnis -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Prašome įdiegti instruktoriaus pavadinimo sistemą švietime> Švietimo nustatymai DocType: Quiz,Enter 0 to waive limit,"Įveskite 0, jei norite atsisakyti limito" DocType: Bank Statement Settings,Mapped Items,Priskirti elementai DocType: Amazon MWS Settings,IT,IT @@ -3435,7 +3438,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Nepakanka sukurto arba su {0} susieto turto. \ Prašome sukurti arba susieti {1} turtą su atitinkamu dokumentu. DocType: Pricing Rule,Apply Rule On Brand,Taikyti prekės ženklo taisyklę DocType: Task,Actual End Date (via Time Sheet),Tikrasis Pabaigos data (per Time lapas) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Neįmanoma uždaryti {0} užduoties, nes nuo jos priklausoma užduotis {1} nėra uždaryta." DocType: Soil Texture,Soil Type,Dirvožemio tipas apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Suma {0} {1} prieš {2} {3} ,Quotation Trends,Kainų tendencijos @@ -3465,6 +3467,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Savęs Vairavimas automobiliai DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Tiekėjo rezultatų lentelė nuolatinė apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Eilutė {0}: bilis medžiagas prekė nerasta {1} DocType: Contract Fulfilment Checklist,Requirement,Reikalavimas +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Prašome nustatyti darbuotojų įvardijimo sistemą skyriuje Žmogiškieji ištekliai> HR nustatymai DocType: Journal Entry,Accounts Receivable,gautinos DocType: Quality Goal,Objectives,Tikslai DocType: HR Settings,Role Allowed to Create Backdated Leave Application,"Vaidmuo, kurį leidžiama sukurti pasenusio atostogų programos sukūrimui" @@ -3606,6 +3609,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,taikomas apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,"Informacija apie išorinius ir vidinius tiekiamus produktus, kurie gali būti apmokestinti atvirkščiai" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Iš naujo atidarykite +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Neleistina. Išjunkite laboratorijos bandymo šabloną DocType: Sales Invoice Item,Qty as per Stock UOM,Kiekis pagal vertybinių popierių UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Vardas apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Šaknų įmonė @@ -3691,7 +3695,6 @@ DocType: Payment Request,Transaction Details,Pervedimo duomenys apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,Prašome spausti "Generuoti grafiką" gauti tvarkaraštį DocType: Item,"Purchase, Replenishment Details","Pirkimo, papildymo detalės" DocType: Products Settings,Enable Field Filters,Įgalinti lauko filtrus -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Prekės kodas> Prekių grupė> Prekės ženklas apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","""Užsakovo pateikiamas gaminys"" ne gali būti taip pat ir pirkimo objektu" DocType: Blanket Order Item,Ordered Quantity,Užsakytas Kiekis apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",pvz "Build įrankiai statybininkai" @@ -4161,7 +4164,7 @@ DocType: BOM,Operating Cost (Company Currency),Operacinė Kaina (Įmonės valiut DocType: Authorization Rule,Applicable To (Role),Taikoma (vaidmenų) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Laukiama lapai DocType: BOM Update Tool,Replace BOM,Pakeiskite BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kodas {0} jau egzistuoja +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kodas {0} jau egzistuoja DocType: Patient Encounter,Procedures,Procedūros apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Pardavimų užsakymai negalimi gamybai DocType: Asset Movement,Purpose,tikslas @@ -4258,6 +4261,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Ignoruoti darbuotojo lai DocType: Warranty Claim,Service Address,Paslaugų Adresas apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importuoti pagrindinius duomenis DocType: Asset Maintenance Task,Calibration,Kalibravimas +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,{0} laboratorijos bandymo elementas jau yra apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} yra įmonės atostogos apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Apmokestinamos valandos apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Palikite būsenos pranešimą @@ -4611,7 +4615,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,Pajamos Registruotis DocType: Company,Default warehouse for Sales Return,"Numatytasis sandėlis, skirtas pardavimui" DocType: Pick List,Parent Warehouse,tėvų sandėlis -DocType: Subscription,Net Total,grynasis Iš viso +DocType: C-Form Invoice Detail,Net Total,grynasis Iš viso apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Nustatykite prekės galiojimo laiką dienomis, kad nustatytumėte tinkamumo laiką, atsižvelgiant į pagaminimo datą ir galiojimo laiką." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Numatytąją BOM ne punktą rasti {0} ir projekto {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,{0} eilutė: nurodykite mokėjimo režimą mokėjimo grafike @@ -4726,7 +4730,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Tikslinė sandėlis yra privalomas eilės {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Mažmeninės prekybos operacijos DocType: Cheque Print Template,Primary Settings,pirminiai nustatymai -DocType: Attendance Request,Work From Home,Darbas iš namų +DocType: Attendance,Work From Home,Darbas iš namų DocType: Purchase Invoice,Select Supplier Address,Pasirinkite Tiekėjas Adresas apps/erpnext/erpnext/public/js/event.js,Add Employees,Pridėti Darbuotojai DocType: Purchase Invoice Item,Quality Inspection,kokybės inspekcija @@ -4970,8 +4974,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,Autorizacijos URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Suma {0} {1} {2} {3} DocType: Account,Depreciation,amortizacija -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Ištrinkite darbuotoją {0} \, kad galėtumėte atšaukti šį dokumentą" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Akcijų skaičius ir akcijų skaičius yra nenuoseklūs apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Tiekėjas (-ai) DocType: Employee Attendance Tool,Employee Attendance Tool,Darbuotojų dalyvavimas įrankis @@ -5281,7 +5283,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Augalų analizės krite DocType: Cheque Print Template,Cheque Height,Komunalinės Ūgis DocType: Supplier,Supplier Details,Tiekėjo informacija DocType: Setup Progress,Setup Progress,"Progress setup" -DocType: Expense Claim,Approval Status,patvirtinimo būsena apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Nuo vertė turi būti mažesnė nei vertės eilės {0} DocType: Program,Intro Video,Įvadinis vaizdo įrašas DocType: Manufacturing Settings,Default Warehouses for Production,Numatytieji sandėliai gamybai @@ -5623,7 +5624,6 @@ DocType: Purchase Invoice,Rounded Total,Suapvalinta bendra suma apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Lizdai ({0}) nėra pridėti prie tvarkaraščio DocType: Product Bundle,List items that form the package.,"Sąrašas daiktų, kurie sudaro paketą." apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Tikslinė vieta reikalinga perduodant turtą {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Neleistina. Prašome išjungti testo šabloną DocType: Sales Invoice,Distance (in km),Atstumas (km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Procentas paskirstymas turi būti lygus 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Prašome pasirinkti Skelbimo data prieš pasirinkdami Šaliai @@ -5754,7 +5754,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Kainų sąrašas Valiutų kursai apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Visos tiekėjų grupės DocType: Employee Boarding Activity,Required for Employee Creation,Reikalingas darbuotojo kūrimui -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tiekėjas> Tiekėjo tipas apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},"Sąskaitos numeris {0}, jau naudojamas paskyroje {1}" DocType: GoCardless Mandate,Mandate,Mandatas DocType: Hotel Room Reservation,Booked,Rezervuota @@ -5819,7 +5818,6 @@ DocType: Production Plan Item,Product Bundle Item,Prekės Rinkinys punktas DocType: Sales Partner,Sales Partner Name,Partneriai pardavimo Vardas apps/erpnext/erpnext/hooks.py,Request for Quotations,Prašymas citatos DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimalus Sąskaitos faktūros suma -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,Nepavyko įrašyti „BankAccount.validate_iban“ () tuščio IBAN DocType: Normal Test Items,Normal Test Items,Normalūs testo elementai DocType: QuickBooks Migrator,Company Settings,Bendrovės nustatymai DocType: Additional Salary,Overwrite Salary Structure Amount,Perrašyti darbo užmokesčio struktūros sumą @@ -5973,6 +5971,7 @@ DocType: Issue,Resolution By Variance,Rezoliucija pagal dispersiją DocType: Leave Allocation,Leave Period,Palikti laikotarpį DocType: Item,Default Material Request Type,Numatytasis Medžiaga Prašymas tipas DocType: Supplier Scorecard,Evaluation Period,Vertinimo laikotarpis +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klientas> Klientų grupė> Teritorija apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,nežinomas apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Darbo užsakymas nerastas apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6338,8 +6337,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serijini DocType: Material Request Plan Item,Required Quantity,Reikalingas kiekis DocType: Lab Test Template,Lab Test Template,Laboratorijos bandymo šablonas apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Apskaitos laikotarpis sutampa su {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tiekėjas> Tiekėjo tipas apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Pardavimų sąskaita DocType: Purchase Invoice Item,Total Weight,Bendras svoris +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ištrinkite darbuotoją {0} \, kad galėtumėte atšaukti šį dokumentą" DocType: Pick List Item,Pick List Item,Pasirinkite sąrašo elementą apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisija dėl pardavimo DocType: Job Offer Term,Value / Description,Vertė / Aprašymas @@ -6454,6 +6456,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Prisijungta DocType: Bank Account,Party Type,šalis tipas DocType: Discounted Invoice,Discounted Invoice,Sąskaita su nuolaida +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Pažymėkite dalyvavimą kaip DocType: Payment Schedule,Payment Schedule,Mokėjimo planas apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nurodytos darbuotojo lauko vertės nerasta. „{}“: {} DocType: Item Attribute Value,Abbreviation,Santrumpa @@ -6556,7 +6559,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Prisilietimo priežastys DocType: Employee,Personal Email,Asmeniniai paštas apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Iš viso Dispersija DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jei įjungta, sistema bus po apskaitos įrašus inventoriaus automatiškai." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},„BankAccount.validate_iban“) priėmė netinkamą IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,tarpininkavimas apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Lankomumas už {0} darbuotojas jau yra pažymėtas šiai dienai DocType: Work Order Operation,"in Minutes @@ -6826,6 +6828,7 @@ DocType: Appointment,Customer Details,klientų informacija apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Spausdinti IRS 1099 formas DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Patikrinkite, ar turtui reikalinga profilaktinė priežiūra ar kalibravimas" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Įmonės santrumpa negali būti daugiau nei 5 simboliai +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Patronuojanti įmonė turi būti grupės įmonė DocType: Employee,Reports to,Pranešti ,Unpaid Expense Claim,Nemokamos išlaidų Pretenzija DocType: Payment Entry,Paid Amount,sumokėta suma @@ -6915,6 +6918,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,opp Grafas apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,"Turi būti nustatyta tiek bandomojo laikotarpio pradžios data, tiek bandomojo laikotarpio pabaigos data" apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Vidutinė norma +DocType: Appointment,Appointment With,Skyrimas su apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Bendra mokėjimo suma mokėjimo grafike turi būti lygi Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Užsakovo pateikiamas gaminys"" ne gali turėti vertinimo normos" DocType: Subscription Plan Detail,Plan,Suplanuoti @@ -7048,7 +7052,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Švinas% DocType: Bank Guarantee,Bank Account Info,Banko sąskaitos informacija DocType: Bank Guarantee,Bank Guarantee Type,Banko garantijos tipas -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},„BankAccount.validate_iban“) nepavyko gauti galiojančio IBAN {} DocType: Payment Schedule,Invoice Portion,Sąskaita faktūra porcija ,Asset Depreciations and Balances,Turto Nusidėvėjimas ir likučiai apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Suma {0} {1} perkeliamas iš {2} į {3} @@ -7717,7 +7720,6 @@ DocType: Dosage Form,Dosage Form,Dozavimo forma apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Kampanijos tvarkaraštį nustatykite kampanijoje {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Kainų sąrašas meistras. DocType: Task,Review Date,peržiūros data -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Pažymėkite dalyvavimą kaip DocType: BOM,Allow Alternative Item,Leisti alternatyvų elementą apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Pirkimo kvite nėra elementų, kuriems įgalintas „Retain Sample“." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Sąskaita faktūra iš viso @@ -7949,7 +7951,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Maksimalus pakartotinis limitas apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Kainų sąrašas nerastas arba išjungtas DocType: Content Activity,Last Activity ,Paskutinė veikla -DocType: Student Applicant,Approved,patvirtinta DocType: Pricing Rule,Price,kaina apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Darbuotojų atleidžiamas nuo {0} turi būti nustatyti kaip "Left" DocType: Guardian,Guardian,globėjas @@ -8121,6 +8122,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Procentinis atskaitymas DocType: GL Entry,To Rename,Pervadinti DocType: Stock Entry,Repack,Iš naujo supakuokite apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Pasirinkite, jei norite pridėti serijos numerį." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Prašome įdiegti instruktoriaus pavadinimo sistemą švietime> Švietimo nustatymai apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Prašome nustatyti mokesčių kodą klientui „% s“ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Pirmiausia pasirinkite kompaniją DocType: Item Attribute,Numeric Values,reikšmes @@ -8137,6 +8139,7 @@ DocType: Salary Detail,Additional Amount,Papildoma suma apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Krepšelis tuščias apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Prekė {0} neturi serijos numerio. Tik serilialized items \ gali turėti pristatymą pagal serijos numerį +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Nusidėvėjusi suma DocType: Vehicle,Model,Modelis DocType: Work Order,Actual Operating Cost,Tikrasis eksploatavimo išlaidos DocType: Payment Entry,Cheque/Reference No,Čekis / Nuorodos Nr diff --git a/erpnext/translations/lv.csv b/erpnext/translations/lv.csv index 40c882137f..5961fc5a77 100644 --- a/erpnext/translations/lv.csv +++ b/erpnext/translations/lv.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Standarta nodokļu atbrīv DocType: Exchange Rate Revaluation Account,New Exchange Rate,Jauns valūtas kurss apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Valūta ir nepieciešama Cenrāža {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Tiks aprēķināts darījumā. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Lūdzu, iestatiet Personāla nosaukšanas sistēma personāla resursos> HR iestatījumi" DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Klientu Kontakti DocType: Shift Type,Enable Auto Attendance,Iespējot automātisko apmeklēšanu @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Visi Piegādātājs Contact DocType: Support Settings,Support Settings,atbalsta iestatījumi apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Konts {0} tiek pievienots bērnu uzņēmumā {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Nederīgi akreditācijas dati +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Atzīmēt darbu no mājām apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),Pieejams ITC (vai nu pilnā variantā) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS iestatījumi apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Kuponu apstrāde @@ -407,7 +407,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,"Vienības nodo apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Dalības informācija apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: piegādātājam ir pret maksājams kontā {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Preces un cenu -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klients> Klientu grupa> Teritorija apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Kopējais stundu skaits: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},No datuma jābūt starp fiskālajā gadā. Pieņemot No datums = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -454,7 +453,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Izvēlētā opcija DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Maksājuma apraksts -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Lūdzu, iestatiet nosaukšanas sēriju uz {0}, izmantojot Iestatīšana> Iestatījumi> Sēriju nosaukšana" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,nepietiekama Stock DocType: Email Digest,New Sales Orders,Jauni Pārdošanas pasūtījumu DocType: Bank Account,Bank Account,Bankas konts @@ -775,6 +773,7 @@ DocType: Request for Quotation,Request for Quotation,Pieprasījums piedāvājuma DocType: Healthcare Settings,Require Lab Test Approval,Pieprasīt labas pārbaudes apstiprinājumu DocType: Attendance,Working Hours,Darba laiks apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Kopā izcilā +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Vienumam {2} nav atrasts UOM konversijas koeficients ({0} -> {1}). DocType: Naming Series,Change the starting / current sequence number of an existing series.,Mainīt sākuma / pašreizējo kārtas numuru esošam sēriju. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Procenti, par kuriem jums ir atļauts maksāt vairāk par pasūtīto summu. Piemēram: ja preces pasūtījuma vērtība ir USD 100 un pielaide ir iestatīta kā 10%, tad jums ir atļauts izrakstīt rēķinu par 110 USD." DocType: Dosage Strength,Strength,Stiprums @@ -1265,7 +1264,6 @@ DocType: Timesheet,Total Billed Hours,Kopā Apmaksājamie Stundas DocType: Pricing Rule Item Group,Pricing Rule Item Group,Cenu noteikšanas noteikumu grupa DocType: Travel Itinerary,Travel To,Ceļot uz apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Valūtas kursa pārvērtēšanas meistars. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Lūdzu, iestatiet apmeklējumu numerācijas sērijas, izmantojot Iestatīšana> Numerācijas sērija" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Uzrakstiet Off summa DocType: Leave Block List Allow,Allow User,Atļaut lietotāju DocType: Journal Entry,Bill No,Bill Nr @@ -1621,6 +1619,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Stimuli apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Vērtības ārpus sinhronizācijas apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Starpības vērtība +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Lūdzu, iestatiet apmeklējumu numerācijas sērijas, izmantojot Iestatīšana> Numerācijas sērija" DocType: SMS Log,Requested Numbers,Pieprasītie Numbers DocType: Volunteer,Evening,Vakars DocType: Quiz,Quiz Configuration,Viktorīnas konfigurēšana @@ -1788,6 +1787,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,No vietas DocType: Student Admission,Publish on website,Publicēt mājas lapā apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Piegādātājs Rēķina datums nevar būt lielāks par norīkošanu Datums DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Preces kods> Vienību grupa> Zīmols DocType: Subscription,Cancelation Date,Atcelšanas datums DocType: Purchase Invoice Item,Purchase Order Item,Pasūtījuma postenis DocType: Agriculture Task,Agriculture Task,Lauksaimniecības uzdevums @@ -2396,7 +2396,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Produktu atlaižu plāksnes DocType: Target Detail,Target Distribution,Mērķa Distribution DocType: Purchase Invoice,06-Finalization of Provisional assessment,06. Pagaidu novērtējuma pabeigšana apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importētājas puses un adreses -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Vienumam: {2} nav atrasts UOM konversijas koeficients ({0} -> {1}). DocType: Salary Slip,Bank Account No.,Banka Konta Nr DocType: Naming Series,This is the number of the last created transaction with this prefix,Tas ir skaitlis no pēdējiem izveidots darījuma ar šo prefiksu DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2790,6 +2789,9 @@ DocType: Company,Default Holiday List,Default brīvdienu sarakstu DocType: Pricing Rule,Supplier Group,Piegādātāju grupa apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Rinda {0}: laiku un uz laiku no {1} pārklājas ar {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ","BOM ar nosaukumu {0} vienumam {1} jau pastāv.
Vai jūs pārdēvējāt vienumu? Lūdzu, sazinieties ar administratoru / tehnisko atbalstu" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Akciju Saistības DocType: Purchase Invoice,Supplier Warehouse,Piegādātājs Noliktava DocType: Opportunity,Contact Mobile No,Kontaktinformācija Mobilais Nr @@ -3236,6 +3238,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Kvalitātes sanāksmju galds apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Apmeklējiet forumus +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Nevar pabeigt uzdevumu {0}, jo no tā atkarīgais uzdevums {1} nav pabeigts / atcelts." DocType: Student,Student Mobile Number,Studentu Mobilā tālruņa numurs DocType: Item,Has Variants,Ir Varianti DocType: Employee Benefit Claim,Claim Benefit For,Pretenzijas pabalsts @@ -3397,7 +3400,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Kopā Norēķinu Summa (via apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Izveidojiet maksu grafiku apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Atkārtot Klientu Ieņēmumu DocType: Soil Texture,Silty Clay Loam,Siltins māla lobs -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Lūdzu, iestatiet instruktora nosaukšanas sistēmu sadaļā Izglītība> Izglītības iestatījumi" DocType: Quiz,Enter 0 to waive limit,"Ievadiet 0, lai atteiktos no ierobežojuma" DocType: Bank Statement Settings,Mapped Items,Mapped Items DocType: Amazon MWS Settings,IT,IT @@ -3431,7 +3433,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.","Ar {0} nav izveidots vai piesaistīts pietiekami daudz aktīvu. \ Lūdzu, izveidojiet vai saistiet {1} aktīvus ar attiecīgo dokumentu." DocType: Pricing Rule,Apply Rule On Brand,Piemērot zīmolu DocType: Task,Actual End Date (via Time Sheet),Faktiskā Beigu datums (via laiks lapas) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Nevar aizvērt uzdevumu {0}, jo no tā atkarīgais uzdevums {1} nav aizvērts." DocType: Soil Texture,Soil Type,Augsnes tips apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Summa {0} {1} pret {2} {3} ,Quotation Trends,Piedāvājumu tendences @@ -3461,6 +3462,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Self-Braukšanas Transportlīdz DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Piegādātāju rādītāju karte pastāvīga apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Rinda {0}: Bill of Materials nav atrasta postenī {1} DocType: Contract Fulfilment Checklist,Requirement,Prasība +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Lūdzu, iestatiet Personāla nosaukšanas sistēma personāla resursos> HR iestatījumi" DocType: Journal Entry,Accounts Receivable,Debitoru parādi DocType: Quality Goal,Objectives,Mērķi DocType: HR Settings,Role Allowed to Create Backdated Leave Application,"Loma, kurai atļauts izveidot atpakaļejošu atvaļinājuma lietojumprogrammu" @@ -3602,6 +3604,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,praktisks apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,"Sīkāka informācija par izejošām piegādēm un iekšējām piegādēm, kuras var aplikt ar apgrozījumu" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re-open +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,"Nav atļauts. Lūdzu, atspējojiet laboratorijas testa veidni" DocType: Sales Invoice Item,Qty as per Stock UOM,Daudz kā vienu akciju UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 vārds apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Sakņu uzņēmums @@ -3661,6 +3664,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Uzņēmējdarbības veids DocType: Sales Invoice,Consumer,Patērētājs apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Lūdzu, izvēlieties piešķirtā summa, rēķina veidu un rēķina numura atleast vienā rindā" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Lūdzu, iestatiet nosaukšanas sēriju uz {0}, izmantojot Iestatīšana> Iestatījumi> Sēriju nosaukšana" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Izmaksas jauno pirkumu apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Pasūtījumu nepieciešams postenī {0} DocType: Grant Application,Grant Description,Granta apraksts @@ -3687,7 +3691,6 @@ DocType: Payment Request,Transaction Details,Darījuma detaļas apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"Lūdzu, noklikšķiniet uz ""Generate grafiks"", lai saņemtu grafiku" DocType: Item,"Purchase, Replenishment Details","Informācija par pirkumu, papildināšanu" DocType: Products Settings,Enable Field Filters,Iespējot lauku filtrus -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Preces kods> Vienību grupa> Zīmols apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","Klienta nodrošināta prece" nevar būt arī pirkuma prece DocType: Blanket Order Item,Ordered Quantity,Pasūtīts daudzums apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","piemēram, ""Build instrumenti celtniekiem""" @@ -4158,7 +4161,7 @@ DocType: BOM,Operating Cost (Company Currency),Ekspluatācijas izmaksas (Company DocType: Authorization Rule,Applicable To (Role),Piemērojamais Lai (loma) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Gaida lapas DocType: BOM Update Tool,Replace BOM,Aizstāt BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kods {0} jau eksistē +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kods {0} jau eksistē DocType: Patient Encounter,Procedures,Procedūras apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Pārdošanas pasūtījumi nav pieejami ražošanai DocType: Asset Movement,Purpose,Nolūks @@ -4255,6 +4258,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Ignorēt darbinieku laik DocType: Warranty Claim,Service Address,Servisa adrese apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importēt pamatdatus DocType: Asset Maintenance Task,Calibration,Kalibrēšana +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Laboratorijas vienums {0} jau pastāv apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ir uzņēmuma atvaļinājums apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Apmaksājamas stundas apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Atstāt statusa paziņojumu @@ -4606,7 +4610,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,alga Reģistrēties DocType: Company,Default warehouse for Sales Return,Noklusējuma noliktava pārdošanas atgriešanai DocType: Pick List,Parent Warehouse,Parent Noliktava -DocType: Subscription,Net Total,Net Kopā +DocType: C-Form Invoice Detail,Net Total,Net Kopā apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Iestatiet preces derīguma termiņu dienās, lai iestatītu derīguma termiņu, pamatojoties uz ražošanas datumu un glabāšanas laiku." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Default BOM nav atrasts postenī {0} un Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,"{0} rinda: lūdzu, maksājuma grafikā iestatiet maksājuma režīmu" @@ -4721,7 +4725,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Mērķa noliktava ir obligāta rindā {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Mazumtirdzniecības operācijas DocType: Cheque Print Template,Primary Settings,primārās iestatījumi -DocType: Attendance Request,Work From Home,Darbs no mājām +DocType: Attendance,Work From Home,Darbs no mājām DocType: Purchase Invoice,Select Supplier Address,Select Piegādātājs adrese apps/erpnext/erpnext/public/js/event.js,Add Employees,Pievienot Darbinieki DocType: Purchase Invoice Item,Quality Inspection,Kvalitātes pārbaudes @@ -4965,8 +4969,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,Autorizācijas URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Summa {0} {1} {2} {3} DocType: Account,Depreciation,Nolietojums -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Lūdzu, izdzēsiet darbinieku {0} \, lai atceltu šo dokumentu" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Akciju skaits un akciju skaits ir pretrunīgi apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Piegādātājs (-i) DocType: Employee Attendance Tool,Employee Attendance Tool,Darbinieku apmeklējums Tool @@ -5276,7 +5278,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Augu analīzes kritēri DocType: Cheque Print Template,Cheque Height,Čeku augstums DocType: Supplier,Supplier Details,Piegādātājs Details DocType: Setup Progress,Setup Progress,Iestatīšanas progress -DocType: Expense Claim,Approval Status,Apstiprinājums statuss apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},No vērtība nedrīkst būt mazāka par to vērtību rindā {0} DocType: Program,Intro Video,Ievada video DocType: Manufacturing Settings,Default Warehouses for Production,Noklusējuma noliktavas ražošanai @@ -5618,7 +5619,6 @@ DocType: Purchase Invoice,Rounded Total,Noapaļota Kopā apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots for {0} netiek pievienoti grafikam DocType: Product Bundle,List items that form the package.,"Saraksts priekšmeti, kas veido paketi." apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},"Pārsūtot aktīvu {0}, nepieciešama mērķa atrašanās vieta" -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,"Nav atļauts. Lūdzu, deaktivizējiet pārbaudes veidni" DocType: Sales Invoice,Distance (in km),Attālums (km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Procentuālais sadalījums būtu vienāda ar 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Lūdzu, izvēlieties Publicēšanas datums pirms izvēloties puse" @@ -5749,7 +5749,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Cenrādis Valūtas kurss apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Visas piegādātāju grupas DocType: Employee Boarding Activity,Required for Employee Creation,Nepieciešams darbinieku izveidei -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Piegādātājs> Piegādātāja tips apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},"Konta numurs {0}, kas jau ir izmantots kontā {1}" DocType: GoCardless Mandate,Mandate,Mandāts DocType: Hotel Room Reservation,Booked,Rezervēts @@ -5815,7 +5814,6 @@ DocType: Production Plan Item,Product Bundle Item,Produkta Bundle Prece DocType: Sales Partner,Sales Partner Name,Sales Partner Name apps/erpnext/erpnext/hooks.py,Request for Quotations,Pieprasījums citāti DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimālais Rēķina summa -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () neizdevās ievadīt tukšu IBAN DocType: Normal Test Items,Normal Test Items,Normālie pārbaudes vienumi DocType: QuickBooks Migrator,Company Settings,Uzņēmuma iestatījumi DocType: Additional Salary,Overwrite Salary Structure Amount,Pārrakstīt algas struktūru @@ -5968,6 +5966,7 @@ DocType: Issue,Resolution By Variance,Izšķirtspēja pēc varianta DocType: Leave Allocation,Leave Period,Atstāt periodu DocType: Item,Default Material Request Type,Default Materiāls Pieprasījuma veids DocType: Supplier Scorecard,Evaluation Period,Novērtēšanas periods +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klients> Klientu grupa> Teritorija apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,nezināms apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Darba uzdevums nav izveidots apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6333,8 +6332,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Sērijas DocType: Material Request Plan Item,Required Quantity,Nepieciešamais daudzums DocType: Lab Test Template,Lab Test Template,Lab testēšanas veidne apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Grāmatvedības periods pārklājas ar {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Piegādātājs> Piegādātāja tips apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Pārdošanas konts DocType: Purchase Invoice Item,Total Weight,Kopējais svars +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Lūdzu, izdzēsiet darbinieku {0} \, lai atceltu šo dokumentu" DocType: Pick List Item,Pick List Item,Izvēlēties saraksta vienumu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisijas apjoms DocType: Job Offer Term,Value / Description,Vērtība / Apraksts @@ -6449,6 +6451,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Parakstīts DocType: Bank Account,Party Type,Party Type DocType: Discounted Invoice,Discounted Invoice,Rēķins ar atlaidi +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Atzīmēt apmeklējumu kā DocType: Payment Schedule,Payment Schedule,Maksājumu grafiks apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Dotā darbinieka lauka vērtībai nav atrasts neviens darbinieks. '{}': {} DocType: Item Attribute Value,Abbreviation,Saīsinājums @@ -6551,7 +6554,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Iemesls aizturēšanai DocType: Employee,Personal Email,Personal Email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Kopējās dispersijas DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ja ieslēgts, sistēma būs pēc grāmatvedības ierakstus inventāru automātiski." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () pieņēma nederīgu IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokeru apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Apmeklējumu par darbiniekam {0} jau ir atzīmēts par šo dienu DocType: Work Order Operation,"in Minutes @@ -6822,6 +6824,7 @@ DocType: Appointment,Customer Details,Klientu Details apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Drukāt IRS 1099 veidlapas DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Pārbaudiet, vai aktīvam nepieciešama profilaktiska apkope vai kalibrēšana" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Uzņēmuma saīsinājumā nedrīkst būt vairāk par 5 rakstzīmēm +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Mātes uzņēmumam jābūt grupas uzņēmumam DocType: Employee,Reports to,Ziņojumi ,Unpaid Expense Claim,Neapmaksāta Izdevumu Prasība DocType: Payment Entry,Paid Amount,Samaksāta summa @@ -6911,6 +6914,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp skaits apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,"Ir jānosaka gan izmēģinājuma perioda sākuma datums, gan izmēģinājuma perioda beigu datums" apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Vidējā likme +DocType: Appointment,Appointment With,Iecelšana ar apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Maksājuma grafikam kopējam maksājuma summai jābūt vienādai ar Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",“Klienta nodrošinātam vienumam” nevar būt vērtēšanas pakāpe DocType: Subscription Plan Detail,Plan,Plānu @@ -7044,7 +7048,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,OPP / Lead% DocType: Bank Guarantee,Bank Account Info,Bankas konta informācija DocType: Bank Guarantee,Bank Guarantee Type,Bankas garantijas veids -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () neizdevās derīgam IBAN {} DocType: Payment Schedule,Invoice Portion,Rēķina daļa ,Asset Depreciations and Balances,Aktīvu vērtības kritumu un Svari apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Summa {0} {1} pārcelts no {2} līdz {3} @@ -7714,7 +7717,6 @@ DocType: Dosage Form,Dosage Form,Zāļu forma apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},"Lūdzu, iestatiet kampaņas grafiku kampaņā {0}." apps/erpnext/erpnext/config/buying.py,Price List master.,Cenrādis meistars. DocType: Task,Review Date,Pārskatīšana Datums -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Atzīmēt apmeklējumu kā DocType: BOM,Allow Alternative Item,Atļaut alternatīvu vienumu apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Pirkuma kvītī nav nevienas preces, kurai ir iespējota funkcija Saglabāt paraugu." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Rēķins kopā @@ -7946,7 +7948,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Maksimālais retrīta ierobežojums apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Cenrādis nav atrasts vai invalīds DocType: Content Activity,Last Activity ,Pēdējā aktivitāte -DocType: Student Applicant,Approved,Apstiprināts DocType: Pricing Rule,Price,Cena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Darbinieku atvieglots par {0} ir jānosaka kā ""Kreisais""" DocType: Guardian,Guardian,aizbildnis @@ -8118,6 +8119,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Procentu samazinājums DocType: GL Entry,To Rename,Pārdēvēt DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Atlasiet, lai pievienotu sērijas numuru." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Lūdzu, iestatiet instruktora nosaukšanas sistēmu sadaļā Izglītība> Izglītības iestatījumi" apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Lūdzu, iestatiet klienta '% s' fiskālo kodu" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Vispirms izvēlieties uzņēmumu DocType: Item Attribute,Numeric Values,Skaitliskās vērtības @@ -8134,6 +8136,7 @@ DocType: Salary Detail,Additional Amount,Papildu summa apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Grozs ir tukšs apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No","Vienumam {0} nav sērijas numura. Tikai serilialized preces \ var būt piegāde, pamatojoties uz sērijas Nr" +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Nolietotā summa DocType: Vehicle,Model,modelis DocType: Work Order,Actual Operating Cost,Faktiskā ekspluatācijas izmaksas DocType: Payment Entry,Cheque/Reference No,Čeks / Reference Nr diff --git a/erpnext/translations/mk.csv b/erpnext/translations/mk.csv index e047e1345e..41eac2d847 100644 --- a/erpnext/translations/mk.csv +++ b/erpnext/translations/mk.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Стандарден из DocType: Exchange Rate Revaluation Account,New Exchange Rate,Нов девизен курс apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Е потребно валута за Ценовник {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Ќе се пресметува во трансакцијата. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Поставете го системот за именување на вработените во човечки ресурси> Поставки за човечки ресурси DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Контакт со клиентите DocType: Shift Type,Enable Auto Attendance,Овозможи автоматско присуство @@ -95,6 +94,7 @@ DocType: Item Price,Multiple Item prices.,Повеќекратни цени то DocType: SMS Center,All Supplier Contact,Сите Добавувачот Контакт DocType: Support Settings,Support Settings,Прилагодувања за поддршка apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Невалидни акредитиви +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Означи работа од дома apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ИТЦ достапен (без разлика дали е во целост опција) DocType: Amazon MWS Settings,Amazon MWS Settings,Амазон MWS поставувања apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Обработка на ваучери @@ -404,7 +404,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Вклучен apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Детали за членство apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Добавувачот е потребно против плаќа на сметка {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Теми и цени -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Група на клиенти> Територија apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Вкупно часови: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Од датумот треба да биде во рамките на фискалната година. Претпоставувајќи од датумот = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -451,7 +450,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Избрана опција DocType: SG Creation Tool Course,SG Creation Tool Course,SG инструмент за создавање на курсот DocType: Bank Statement Transaction Invoice Item,Payment Description,Опис на плаќањето -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Поставете Серија за именување за {0} преку Поставување> Поставки> Серии за именување apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,недоволна Акции DocType: Email Digest,New Sales Orders,Продажбата на нови нарачки DocType: Bank Account,Bank Account,Банкарска сметка @@ -1256,7 +1254,6 @@ DocType: Timesheet,Total Billed Hours,Вкупно Опишан часа DocType: Pricing Rule Item Group,Pricing Rule Item Group,Група на производи за правила за цени DocType: Travel Itinerary,Travel To,Патувај до apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Господар за проценка на девизниот курс. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Поставете серија за нумерирање за присуство преку Поставување> Серија за нумерирање apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Отпише Износ DocType: Leave Block List Allow,Allow User,Овозможи пристап DocType: Journal Entry,Bill No,Бил Не @@ -1611,6 +1608,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Стимулации apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Вредности надвор од синхронизација apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Вредност на разликата +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Поставете серија за нумерирање за присуство преку Поставување> Серии за нумерирање DocType: SMS Log,Requested Numbers,Бара броеви DocType: Volunteer,Evening,Вечер DocType: Quiz,Quiz Configuration,Конфигурација на квиз @@ -1777,6 +1775,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Од ме DocType: Student Admission,Publish on website,Објавуваат на веб-страницата apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Датум на Добавувачот фактура не може да биде поголем од објавувањето Датум DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на точка> Група на производи> Бренд DocType: Subscription,Cancelation Date,Датум на откажување DocType: Purchase Invoice Item,Purchase Order Item,Нарачка Точка DocType: Agriculture Task,Agriculture Task,Задача за земјоделство @@ -1841,6 +1840,7 @@ DocType: Lead,Next Contact Date,Следна Контакт Датум apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Отворање Количина DocType: Healthcare Settings,Appointment Reminder,Потсетник за назначување apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Ве молиме внесете го за промени Износ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),За работа {0}: Количината ({1}) не може да биде поквалитетна отколку количеството во очекување ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Студентски Серија Име DocType: Holiday List,Holiday List Name,Одмор Листа на Име apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Внесување на артикли и UOM-и @@ -3203,6 +3203,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,МАТ-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Табела за состаноци за квалитет apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Посетете ги форумите +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Не можам да ја завршам задачата {0} како нејзина зависна задача {1} не се комплетирани / откажани. DocType: Student,Student Mobile Number,Студентски мобилен број DocType: Item,Has Variants,Има варијанти DocType: Employee Benefit Claim,Claim Benefit For,Claim Benefit For @@ -3363,7 +3364,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Вкупен износ за apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Создадете распоред за такси apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Повторете приходи за корисници DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Ве молиме, поставете Систем за именување на инструктори во образованието> Поставки за образование" DocType: Quiz,Enter 0 to waive limit,Внесете 0 за да се откажете од границата DocType: Bank Statement Settings,Mapped Items,Мапирани ставки DocType: Amazon MWS Settings,IT,ИТ @@ -3395,7 +3395,6 @@ apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depr ,Maintenance Schedules,Распоред за одржување DocType: Pricing Rule,Apply Rule On Brand,Применуваат правило за бренд DocType: Task,Actual End Date (via Time Sheet),Крај Крај Датум (преку време лист) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Не може да се затвори задачата {0} бидејќи нејзината зависна задача {1} не е затворена. DocType: Soil Texture,Soil Type,Тип на почва apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Износот {0} {1} од {2} {3} ,Quotation Trends,Трендови на Понуди @@ -3424,6 +3423,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Само-управување DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Постојана apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Бил на материјали не најде за Точка {1} DocType: Contract Fulfilment Checklist,Requirement,Барање +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Поставете го системот за именување на вработените во човечки ресурси> Поставки за човечки ресурси DocType: Journal Entry,Accounts Receivable,Побарувања DocType: Quality Goal,Objectives,Цели DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Дозволено е улогата да се создаде апликација за заостанато напуштање @@ -3562,6 +3562,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Аплицира apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Детали за надворешни материјали и набавки однадвор може да бидат наплатливи за наплата apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Повторно да се отвори +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Не е дозволено. Оневозможете ја шаблонот за лабораториски тестови DocType: Sales Invoice Item,Qty as per Stock UOM,Количина како на берза UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Име Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Компанија за корени @@ -3621,6 +3622,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Тип на бизнис DocType: Sales Invoice,Consumer,Потрошувач apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Ве молиме изберете распределени износот, видот Фактура и број на фактурата во барем еден ред" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Поставете Серија за именување за {0} преку Поставување> Поставки> Серии за именување apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Цената на нов купувачите apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Продај Побарувања потребни за Точка {0} DocType: Grant Application,Grant Description,Грант Опис @@ -3647,7 +3649,6 @@ DocType: Payment Request,Transaction Details,Детали за трансакц apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,Ве молиме кликнете на "Генерирање Распоред" да се добие распоред DocType: Item,"Purchase, Replenishment Details","Детали за набавка, надополнување" DocType: Products Settings,Enable Field Filters,Овозможи филтри за поле -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на точка> Група на производи> Бренд apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also",„Предметот обезбеден од клиент“ не може да биде и Ставка за купување DocType: Blanket Order Item,Ordered Quantity,Нареди Кол apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","на пример, "Изградба на алатки за градители"" @@ -4111,7 +4112,7 @@ DocType: BOM,Operating Cost (Company Currency),Оперативни трошоц DocType: Authorization Rule,Applicable To (Role),Применливи To (Споредна улога) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Очекувани листови DocType: BOM Update Tool,Replace BOM,Заменете Бум -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Шифрата {0} веќе постои +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Шифрата {0} веќе постои DocType: Patient Encounter,Procedures,Процедури apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Нарачките за продажба не се достапни за производство DocType: Asset Movement,Purpose,Цел @@ -4205,6 +4206,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Игнорирај вр DocType: Warranty Claim,Service Address,Услуга адреса apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Увези господар на податоци DocType: Asset Maintenance Task,Calibration,Калибрација +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Тест за лабораториски тест {0} веќе постои apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} е одмор на компанијата apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Часови за наплата apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Оставете го известувањето за статусот @@ -4553,7 +4555,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,плата Регистрирај се DocType: Company,Default warehouse for Sales Return,Стандарден магацин за поврат на продажба DocType: Pick List,Parent Warehouse,родител Магацински -DocType: Subscription,Net Total,Нето Вкупно +DocType: C-Form Invoice Detail,Net Total,Нето Вкупно apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Поставете го рокот на траење на производот со денови, за да поставите рок на траење врз основа на датумот на производство, плус рок на траење." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Аватарот на Бум не е најдена Точка {0} и Проектот {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Ред {0}: Поставете го начинот на плаќање во распоредот за плаќање @@ -4664,7 +4666,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Целна склад е задолжително за спорот {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Операции на мало DocType: Cheque Print Template,Primary Settings,Примарен Settings -DocType: Attendance Request,Work From Home,Работа од дома +DocType: Attendance,Work From Home,Работа од дома DocType: Purchase Invoice,Select Supplier Address,Изберете Добавувачот адреса apps/erpnext/erpnext/public/js/event.js,Add Employees,Додај вработени DocType: Purchase Invoice Item,Quality Inspection,Квалитет инспекција @@ -4903,8 +4905,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL на авторизација apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Износот {0} {1} {2} {3} DocType: Account,Depreciation,Амортизација -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Избришете го вработениот {0} \ за да го откажете овој документ" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Бројот на акции и бројот на акции се недоследни apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Добавувачот (и) DocType: Employee Attendance Tool,Employee Attendance Tool,Вработен Публика алатката @@ -5211,7 +5211,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Критериуми з DocType: Cheque Print Template,Cheque Height,чек Висина DocType: Supplier,Supplier Details,Добавувачот Детали за DocType: Setup Progress,Setup Progress,Прогрес за поставување -DocType: Expense Claim,Approval Status,Статус на Одобри apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Од вредност мора да биде помал од вредност во ред {0} DocType: Program,Intro Video,Вовед Видео DocType: Manufacturing Settings,Default Warehouses for Production,Стандардни складишта за производство @@ -5543,7 +5542,6 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,продаде DocType: Purchase Invoice,Rounded Total,Вкупно заокружено apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Вреќите за {0} не се додаваат во распоредот DocType: Product Bundle,List items that form the package.,Листа на предмети кои ја формираат пакет. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Не е дозволено. Ве молиме оневозможете Тест Шаблон DocType: Sales Invoice,Distance (in km),Растојание (во km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Процент распределба треба да биде еднаква на 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Ве молам изберете Праќање пораки во Датум пред изборот партија @@ -5673,7 +5671,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Ценовник курс apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Сите групи на добавувачи DocType: Employee Boarding Activity,Required for Employee Creation,Потребно за создавање на вработените -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добавувач> Тип на снабдувач apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Број на сметката {0} веќе се користи на сметка {1} DocType: GoCardless Mandate,Mandate,Мандатот DocType: Hotel Room Reservation,Booked,Резервирано @@ -5738,7 +5735,6 @@ DocType: Production Plan Item,Product Bundle Item,Производ Бовча Т DocType: Sales Partner,Sales Partner Name,Продажбата партнер Име apps/erpnext/erpnext/hooks.py,Request for Quotations,Барање за прибирање на понуди DocType: Payment Reconciliation,Maximum Invoice Amount,Максималниот износ на фактура -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () не успеа за празен IBAN DocType: Normal Test Items,Normal Test Items,Нормални тестови DocType: QuickBooks Migrator,Company Settings,Поставувања на компанијата DocType: Additional Salary,Overwrite Salary Structure Amount,Запиши ја износот на платата на платата @@ -5890,6 +5886,7 @@ DocType: Issue,Resolution By Variance,Резолуција од Варијанс DocType: Leave Allocation,Leave Period,Оставете период DocType: Item,Default Material Request Type,Аватарот на материјал Барање Тип DocType: Supplier Scorecard,Evaluation Period,Период на евалуација +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Група на клиенти> Територија apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,непознат apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Работната нарачка не е креирана apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6250,8 +6247,11 @@ DocType: Salary Component,Formula,формула apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Сериски # DocType: Material Request Plan Item,Required Quantity,Потребна количина DocType: Lab Test Template,Lab Test Template,Лабораториски тест обрасци +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добавувач> Тип на снабдувач apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Продажна сметка DocType: Purchase Invoice Item,Total Weight,Вкупна тежина +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Избришете го вработениот {0} \ за да го откажете овој документ" DocType: Pick List Item,Pick List Item,Изберете ставка од списокот apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Комисијата за Продажба DocType: Job Offer Term,Value / Description,Вредност / Опис @@ -6364,6 +6364,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Потпишан на DocType: Bank Account,Party Type,Партијата Тип DocType: Discounted Invoice,Discounted Invoice,Намалена фактура +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Означи присуство како DocType: Payment Schedule,Payment Schedule,Распоред на исплата apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ниту еден вработен не е пронајден за дадената вредност на полето на вработените. '{}': {} DocType: Item Attribute Value,Abbreviation,Кратенка @@ -6464,7 +6465,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Причина за ста DocType: Employee,Personal Email,Личен е-маил apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Вкупна Варијанса DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ако е овозможено, системот ќе ја објавите на сметководствените ставки за попис автоматски." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () прифати невалиден IBAN apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Брокерски apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Публика за вработените {0} веќе е означен за овој ден DocType: Work Order Operation,"in Minutes @@ -6731,6 +6731,7 @@ DocType: Appointment,Customer Details,Детали за корисници apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Печатете обрасци IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Проверете дали Asset бара превентивно одржување или калибрација apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Кратенката на компанијата не може да има повеќе од 5 знаци +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Родителската компанија мора да биде групна компанија DocType: Employee,Reports to,Извештаи до ,Unpaid Expense Claim,Неплатени трошоците Тврдат DocType: Payment Entry,Paid Amount,Уплатениот износ @@ -6818,6 +6819,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Грофот apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Мора да се постави датумот на завршување на датумот на судењето и датумот на завршување на судечкиот период apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Просечна стапка +DocType: Appointment,Appointment With,Назначување со apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Вкупниот износ на исплата во распоредот за плаќање мора да биде еднаков на Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",„Предметот обезбеден од клиент“ не може да има стапка на проценка DocType: Subscription Plan Detail,Plan,План @@ -6948,7 +6950,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / олово% DocType: Bank Guarantee,Bank Account Info,Информации за банкарска сметка DocType: Bank Guarantee,Bank Guarantee Type,Тип на банкарска гаранција -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () не успеа за валиден IBAN DocType: Payment Schedule,Invoice Portion,Фактура на фактурата ,Asset Depreciations and Balances,Средства амортизација и рамнотежа apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Износот {0} {1} премина од {2} до {3} @@ -7601,7 +7602,6 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The share DocType: Dosage Form,Dosage Form,Форма на дозирање apps/erpnext/erpnext/config/buying.py,Price List master.,Ценовник господар. DocType: Task,Review Date,Преглед Датум -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Означи присуство како DocType: BOM,Allow Alternative Item,Дозволи алтернативна ставка apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Потврда за набавка нема никаква ставка за која е овозможен задржување на примерокот. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Фактура вкупно @@ -7827,7 +7827,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Макс Повторно Ограничување apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Ценовник не е пронајдена или со посебни потреби DocType: Content Activity,Last Activity ,Последна активност -DocType: Student Applicant,Approved,Одобрени DocType: Pricing Rule,Price,Цена apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Вработен ослободен на {0} мора да биде поставено како "Лево" DocType: Guardian,Guardian,Гардијан @@ -7998,6 +7997,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Процентуална одби DocType: GL Entry,To Rename,Преименување DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Изберете за да додадете сериски број. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Ве молиме, поставете Систем за именување на инструктори во образованието> Поставки за образование" apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Поставете фискален код за "% s" на клиентот apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Прво изберете ја компанијата DocType: Item Attribute,Numeric Values,Нумерички вредности @@ -8014,6 +8014,7 @@ DocType: Salary Detail,Additional Amount,Дополнителен износ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Кошничка е празна apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Точката {0} нема сериски број. Само сериализирани ставки \ можат да имаат испорака врз основа на сериски број +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Амортизиран износ DocType: Vehicle,Model,модел DocType: Work Order,Actual Operating Cost,Крај на оперативни трошоци DocType: Payment Entry,Cheque/Reference No,Чек / Референтен број diff --git a/erpnext/translations/ml.csv b/erpnext/translations/ml.csv index 458b9eb196..b5c19bafa5 100644 --- a/erpnext/translations/ml.csv +++ b/erpnext/translations/ml.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,സ്റ്റാൻഡ DocType: Exchange Rate Revaluation Account,New Exchange Rate,പുതിയ എക്സ്ചേഞ്ച് നിരക്ക് apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},കറൻസി വില പട്ടിക {0} ആവശ്യമാണ് DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ഇടപാടിലും കണക്കു കൂട്ടുക. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ഹ്യൂമൻ റിസോഴ്സ്> എച്ച്ആർ ക്രമീകരണങ്ങളിൽ ജീവനക്കാരുടെ പേരിടൽ സംവിധാനം സജ്ജമാക്കുക DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,കസ്റ്റമർ കോൺടാക്റ്റ് DocType: Shift Type,Enable Auto Attendance,യാന്ത്രിക ഹാജർ പ്രാപ്‌തമാക്കുക @@ -95,6 +94,7 @@ DocType: Item Price,Multiple Item prices.,മൾട്ടിപ്പിൾ ഇ DocType: SMS Center,All Supplier Contact,എല്ലാ വിതരണക്കാരൻ കോൺടാക്റ്റ് DocType: Support Settings,Support Settings,പിന്തുണ സജ്ജീകരണങ്ങൾ apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,അസാധുവായ ക്രെഡൻഷ്യലുകൾ +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,വീട്ടിൽ നിന്ന് ജോലി അടയാളപ്പെടുത്തുക apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ഐടിസി ലഭ്യമാണ് (പൂർണ്ണമായ ഭാഗമാണെങ്കിലും) DocType: Amazon MWS Settings,Amazon MWS Settings,ആമസോൺ MWS സജ്ജീകരണങ്ങൾ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,പ്രോസസ്സിംഗ് വൗച്ചറുകൾ @@ -401,7 +401,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,ഇന നി apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,അംഗത്വം വിശദാംശങ്ങൾ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: വിതരണക്കാരൻ പേയബിൾ അക്കൗണ്ട് {2} നേരെ ആവശ്യമാണ് apps/erpnext/erpnext/config/buying.py,Items and Pricing,ഇനങ്ങൾ ഉള്ളവയും -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,കസ്റ്റമർ> കസ്റ്റമർ ഗ്രൂപ്പ്> ടെറിട്ടറി apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},ആകെ മണിക്കൂർ: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},തീയതി നിന്നും സാമ്പത്തിക വർഷത്തെ ആയിരിക്കണം. ഈ തീയതി മുതൽ കരുതുന്നു = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -762,6 +761,7 @@ DocType: Request for Quotation,Request for Quotation,ക്വട്ടേഷൻ DocType: Healthcare Settings,Require Lab Test Approval,ലാബ് പരിശോധന അംഗീകരിക്കേണ്ടതുണ്ട് DocType: Attendance,Working Hours,ജോലിചെയ്യുന്ന സമയം apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,മൊത്തം ശ്രദ്ധേയമായത് +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ഇനത്തിനായി UOM പരിവർത്തന ഘടകം ({0} -> {1}) കണ്ടെത്തിയില്ല: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,നിലവിലുള്ള ഒരു പരമ്പരയിലെ തുടങ്ങുന്ന / നിലവിലെ ക്രമസംഖ്യ മാറ്റുക. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,ഓർഡർ ചെയ്ത തുകയ്‌ക്കെതിരെ കൂടുതൽ ബിൽ ചെയ്യാൻ നിങ്ങളെ അനുവദിക്കുന്ന ശതമാനം. ഉദാഹരണത്തിന്: ഒരു ഇനത്തിന് ഓർഡർ മൂല്യം $ 100 ഉം ടോളറൻസ് 10% ഉം ആയി സജ്ജീകരിച്ചിട്ടുണ്ടെങ്കിൽ നിങ്ങൾക്ക് bill 110 ന് ബിൽ ചെയ്യാൻ അനുവാദമുണ്ട്. DocType: Dosage Strength,Strength,ശക്തി @@ -1240,7 +1240,6 @@ DocType: Timesheet,Total Billed Hours,ആകെ ബില്ലുചെയ് DocType: Pricing Rule Item Group,Pricing Rule Item Group,വിലനിർണ്ണയ ഇനം ഗ്രൂപ്പ് DocType: Travel Itinerary,Travel To,യാത്ര apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,എക്സ്ചേഞ്ച് റേറ്റ് പുനർമൂല്യനിർണ്ണയ മാസ്റ്റർ. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,സജ്ജീകരണം> നമ്പറിംഗ് സീരീസ് വഴി അറ്റൻഡൻസിനായി നമ്പറിംഗ് സീരീസ് സജ്ജമാക്കുക apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,തുക ഓഫാക്കുക എഴുതുക DocType: Leave Block List Allow,Allow User,ഉപയോക്താവ് അനുവദിക്കുക DocType: Journal Entry,Bill No,ബിൽ ഇല്ല @@ -1590,6 +1589,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,ഇൻസെന്റീവ്സ് apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,മൂല്യങ്ങൾ സമന്വയത്തിന് പുറത്താണ് apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,വ്യത്യാസ മൂല്യം +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,സജ്ജീകരണം> നമ്പറിംഗ് സീരീസ് വഴി അറ്റൻഡൻസിനായി നമ്പറിംഗ് സീരീസ് സജ്ജമാക്കുക DocType: SMS Log,Requested Numbers,അഭ്യർത്ഥിച്ചു സംഖ്യാപുസ്തകം DocType: Volunteer,Evening,വൈകുന്നേരം DocType: Quiz,Quiz Configuration,ക്വിസ് കോൺഫിഗറേഷൻ @@ -1754,6 +1754,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,സ്ഥ DocType: Student Admission,Publish on website,വെബ്സൈറ്റിൽ പ്രസിദ്ധീകരിക്കുക apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,വിതരണക്കാരൻ ഇൻവോയ്സ് തീയതി തീയതി നോട്സ് ശ്രേഷ്ഠ പാടില്ല DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS- .YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ഇന കോഡ്> ഐറ്റം ഗ്രൂപ്പ്> ബ്രാൻഡ് DocType: Subscription,Cancelation Date,റദ്ദാക്കൽ തീയതി DocType: Purchase Invoice Item,Purchase Order Item,വാങ്ങൽ ഓർഡർ ഇനം DocType: Agriculture Task,Agriculture Task,കൃഷിവകുപ്പ് @@ -2342,7 +2343,6 @@ DocType: Promotional Scheme,Product Discount Slabs,ഉൽപ്പന്ന ഡ DocType: Target Detail,Target Distribution,ടാർജറ്റ് വിതരണം DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-താൽക്കാലിക മൂല്യനിർണ്ണയത്തിനുള്ള അന്തിമരൂപം apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,പാർട്ടികളും വിലാസങ്ങളും ഇറക്കുമതി ചെയ്യുന്നു -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ഇനത്തിനായി UOM പരിവർത്തന ഘടകം ({0} -> {1}) കണ്ടെത്തിയില്ല: {2} DocType: Salary Slip,Bank Account No.,ബാങ്ക് അക്കൗണ്ട് നമ്പർ DocType: Naming Series,This is the number of the last created transaction with this prefix,ഇത് ഈ കൂടിയ അവസാന സൃഷ്ടിച്ച ഇടപാട് എണ്ണം ആണ് DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -3316,7 +3316,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),ആകെ ബില്ലി apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,ഫീസ് ഷെഡ്യൂൾ സൃഷ്ടിക്കുക apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,ആവർത്തിക്കുക കസ്റ്റമർ റവന്യൂ DocType: Soil Texture,Silty Clay Loam,മണ്ണ് ക്ലേ ലോം -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,വിദ്യാഭ്യാസം> വിദ്യാഭ്യാസ ക്രമീകരണങ്ങളിൽ ഇൻസ്ട്രക്ടർ നാമകരണ സംവിധാനം സജ്ജമാക്കുക DocType: Quiz,Enter 0 to waive limit,പരിധി ഒഴിവാക്കാൻ 0 നൽകുക DocType: Bank Statement Settings,Mapped Items,മാപ്പുചെയ്യൽ ഇനങ്ങൾ DocType: Amazon MWS Settings,IT,ഐടി @@ -3375,6 +3374,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,സ്വയം-ഡ്രൈവ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,വിതരണക്കാരൻ സ്കോറർ സ്റ്റാൻഡിംഗ് apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},വരി {0}: വസ്തുക്കൾ ബിൽ ഇനം {1} കണ്ടില്ല DocType: Contract Fulfilment Checklist,Requirement,ആവശ്യമുണ്ട് +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ഹ്യൂമൻ റിസോഴ്സ്> എച്ച്ആർ ക്രമീകരണങ്ങളിൽ ജീവനക്കാരുടെ പേരിടൽ സംവിധാനം സജ്ജമാക്കുക DocType: Journal Entry,Accounts Receivable,സ്വീകാരയോഗ്യമായ കണക്കുകള് DocType: Quality Goal,Objectives,ലക്ഷ്യങ്ങൾ DocType: HR Settings,Role Allowed to Create Backdated Leave Application,ബാക്ക്ഡേറ്റഡ് ലീവ് ആപ്ലിക്കേഷൻ സൃഷ്ടിക്കാൻ അനുവദിച്ച പങ്ക് @@ -3513,6 +3513,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,അപ്ലൈഡ് apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,റിവേഴ്സ് ചാർജിന് ബാധ്യതയുള്ള ബാഹ്യ വിതരണങ്ങളുടെയും ആന്തരിക വിതരണങ്ങളുടെയും വിശദാംശങ്ങൾ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,വീണ്ടും തുറക്കുക +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,അനുവദനീയമല്ല. ലാബ് ടെസ്റ്റ് ടെംപ്ലേറ്റ് അപ്രാപ്തമാക്കുക DocType: Sales Invoice Item,Qty as per Stock UOM,ഓഹരി UOM പ്രകാരം Qty apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,ഗുഅര്ദിഅന്൨ പേര് apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,റൂട്ട് കമ്പനി @@ -3598,7 +3599,6 @@ DocType: Payment Request,Transaction Details,ഇടപാട് വിശദാ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,ഷെഡ്യൂൾ ലഭിക്കുന്നതിന് 'ജനറേറ്റ് ഷെഡ്യൂൾ' ക്ലിക്ക് ചെയ്യുക ദയവായി DocType: Item,"Purchase, Replenishment Details","വാങ്ങൽ, നികത്തൽ വിശദാംശങ്ങൾ" DocType: Products Settings,Enable Field Filters,ഫീൽഡ് ഫിൽട്ടറുകൾ പ്രവർത്തനക്ഷമമാക്കുക -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ഇന കോഡ്> ഐറ്റം ഗ്രൂപ്പ്> ബ്രാൻഡ് apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","കസ്റ്റമർ നൽകിയ ഇനം" വാങ്ങൽ ഇനവും ആകരുത് DocType: Blanket Order Item,Ordered Quantity,ഉത്തരവിട്ടു ക്വാണ്ടിറ്റി apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",ഉദാ: "നിർമ്മാതാക്കളുടേയും ഉപകരണങ്ങൾ നിർമ്മിക്കുക" @@ -4056,7 +4056,7 @@ DocType: BOM,Operating Cost (Company Currency),ഓപ്പറേറ്റിങ DocType: Authorization Rule,Applicable To (Role),(റോൾ) ബാധകമായ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,തീർപ്പുകൽപ്പിക്കാത്ത ഇലകൾ DocType: BOM Update Tool,Replace BOM,BOM മാറ്റിസ്ഥാപിക്കുക -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,കോഡ് {0} ഇതിനകം നിലവിലുണ്ട് +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,കോഡ് {0} ഇതിനകം നിലവിലുണ്ട് DocType: Patient Encounter,Procedures,നടപടിക്രമങ്ങൾ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,വിൽപ്പനയ്ക്കുള്ള ഓർഡറുകൾ ഉല്പാദനത്തിനായി ലഭ്യമല്ല DocType: Asset Movement,Purpose,ഉദ്ദേശ്യം @@ -4152,6 +4152,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,ജീവനക്കാ DocType: Warranty Claim,Service Address,സേവന വിലാസം apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,മാസ്റ്റർ ഡാറ്റ ഇമ്പോർട്ടുചെയ്യുക DocType: Asset Maintenance Task,Calibration,കാലിബ്രേഷൻ +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ലാബ് ടെസ്റ്റ് ഇനം {0} ഇതിനകം നിലവിലുണ്ട് apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ഒരു കമ്പനി അവധി ദിവസമാണ് apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ബിൽ ചെയ്യാവുന്ന സമയം apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,സ്റ്റാറ്റസ് അറിയിപ്പ് വിടുക @@ -4495,7 +4496,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,ശമ്പള രജിസ്റ്റർ DocType: Company,Default warehouse for Sales Return,സെയിൽസ് റിട്ടേണിനായുള്ള സ്ഥിര വെയർഹ house സ് DocType: Pick List,Parent Warehouse,രക്ഷാകർതൃ വെയർഹൗസ് -DocType: Subscription,Net Total,നെറ്റ് ആകെ +DocType: C-Form Invoice Detail,Net Total,നെറ്റ് ആകെ apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",നിർമ്മാണ തീയതിയും ഷെൽഫ്-ലൈഫും അടിസ്ഥാനമാക്കി കാലഹരണപ്പെടൽ സജ്ജീകരിക്കുന്നതിന് ഇനത്തിന്റെ ഷെൽഫ് ആയുസ്സ് ദിവസങ്ങളിൽ സജ്ജമാക്കുക. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},സ്വതേ BOM ലേക്ക് ഇനം {0} കണ്ടില്ല പദ്ധതി {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,വരി {0}: പേയ്‌മെന്റ് ഷെഡ്യൂളിൽ പേയ്‌മെന്റ് മോഡ് സജ്ജമാക്കുക @@ -4607,7 +4608,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},ടാർജറ്റ് വെയർഹൗസ് വരി {0} നിര്ബന്ധമാണ് apps/erpnext/erpnext/config/retail.py,Retail Operations,റീട്ടെയിൽ പ്രവർത്തനങ്ങൾ DocType: Cheque Print Template,Primary Settings,പ്രാഥമിക ക്രമീകരണങ്ങൾ -DocType: Attendance Request,Work From Home,വീട്ടില് നിന്ന് പ്രവര്ത്തിക്കുക +DocType: Attendance,Work From Home,വീട്ടില് നിന്ന് പ്രവര്ത്തിക്കുക DocType: Purchase Invoice,Select Supplier Address,വിതരണക്കാരൻ വിലാസം തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/public/js/event.js,Add Employees,ജീവനക്കാരെ ചേർക്കുക DocType: Purchase Invoice Item,Quality Inspection,ക്വാളിറ്റി ഇൻസ്പെക്ഷൻ @@ -4844,8 +4845,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,അംഗീകാര URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},തുക {0} {1} {2} {3} DocType: Account,Depreciation,മൂല്യശോഷണം -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","ഈ പ്രമാണം റദ്ദാക്കുന്നതിന് ജീവനക്കാരൻ {0} delete ഇല്ലാതാക്കുക" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,ഷെയറുകളുടെയും പങ്കിടൽ നമ്പറുകളുടെയും എണ്ണം അസ്ഥിരമാണ് apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),വിതരണക്കമ്പനിയായ (കൾ) DocType: Employee Attendance Tool,Employee Attendance Tool,ജീവനക്കാരുടെ ഹാജർ ടൂൾ @@ -5147,7 +5146,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,പ്ലാന്റ DocType: Cheque Print Template,Cheque Height,ചെക്ക് ഉയരം DocType: Supplier,Supplier Details,വിതരണക്കാരൻ വിശദാംശങ്ങൾ DocType: Setup Progress,Setup Progress,സെറ്റപ്പ് പുരോഗതി -DocType: Expense Claim,Approval Status,അംഗീകാരം അവസ്ഥ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},മൂല്യം നിന്ന് വരി {0} മൂല്യം വരെ താഴെ ആയിരിക്കണം DocType: Program,Intro Video,ആമുഖ വീഡിയോ DocType: Manufacturing Settings,Default Warehouses for Production,ഉൽ‌പാദനത്തിനായുള്ള സ്ഥിര വെയർ‌ഹ ouses സുകൾ‌ @@ -5479,7 +5477,6 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,വിൽക് DocType: Purchase Invoice,Rounded Total,വൃത്തത്തിലുള്ള ആകെ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} എന്നതിനുള്ള സ്ലോട്ടുകൾ ഷെഡ്യൂളിലേക്ക് ചേർക്കില്ല DocType: Product Bundle,List items that form the package.,പാക്കേജ് രൂപീകരിക്കുന്നു ഇനങ്ങൾ കാണിയ്ക്കുക. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,അനുവദനീയമല്ല. ടെസ്റ്റ് ടെംപ്ലേറ്റ് ദയവായി അപ്രാപ്തമാക്കുക DocType: Sales Invoice,Distance (in km),ദൂരം (കിലോമീറ്ററിൽ) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,ശതമാന അലോക്കേഷൻ 100% തുല്യമോ വേണം apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,പാർട്ടി തിരഞ്ഞെടുക്കുന്നതിന് മുമ്പ് പോസ്റ്റിംഗ് തീയതി തിരഞ്ഞെടുക്കുക @@ -5609,7 +5606,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,വില പട്ടിക എക്സ്ചേഞ്ച് റേറ്റ് apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,എല്ലാ വിതരണ ഗ്രൂപ്പുകളും DocType: Employee Boarding Activity,Required for Employee Creation,എംപ്ലോയി ക്രിയേഷൻ ആവശ്യമുണ്ട് -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,വിതരണക്കാരൻ> വിതരണ തരം apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},അക്കൗണ്ടിൽ ഇതിനകം ഉപയോഗിച്ച {0} അക്കൗണ്ട് നമ്പർ {1} DocType: GoCardless Mandate,Mandate,ജനവിധി DocType: Hotel Room Reservation,Booked,ബുക്ക് ചെയ്തു @@ -5674,7 +5670,6 @@ DocType: Production Plan Item,Product Bundle Item,ഉൽപ്പന്ന ബ DocType: Sales Partner,Sales Partner Name,സെയിൽസ് പങ്കാളി പേര് apps/erpnext/erpnext/hooks.py,Request for Quotations,ഉദ്ധരണികൾ അഭ്യർത്ഥന DocType: Payment Reconciliation,Maximum Invoice Amount,പരമാവധി ഇൻവോയിസ് തുക -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,ശൂന്യമായ IBAN നായി BankAccount.validate_iban () പരാജയപ്പെട്ടു DocType: Normal Test Items,Normal Test Items,സാധാരണ പരീക്ഷണ ഇനങ്ങൾ DocType: QuickBooks Migrator,Company Settings,കമ്പനി ക്രമീകരണങ്ങൾ DocType: Additional Salary,Overwrite Salary Structure Amount,ശമ്പള ഘടനയുടെ തുക തിരുത്തിയെഴുതുക @@ -5824,6 +5819,7 @@ DocType: Issue,Resolution By Variance,വേരിയൻസ് പ്രമേ DocType: Leave Allocation,Leave Period,കാലയളവ് വിടുക DocType: Item,Default Material Request Type,സ്വതേ മെറ്റീരിയൽ അഭ്യർത്ഥന ഇനം DocType: Supplier Scorecard,Evaluation Period,വിലയിരുത്തൽ കാലയളവ് +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,കസ്റ്റമർ> കസ്റ്റമർ ഗ്രൂപ്പ്> ടെറിട്ടറി apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,അറിയപ്പെടാത്ത apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,വർക്ക് ഓർഡർ സൃഷ്ടിച്ചില്ല apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6179,8 +6175,11 @@ DocType: Salary Component,Formula,ഫോർമുല apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,സീരിയൽ # DocType: Material Request Plan Item,Required Quantity,ആവശ്യമായ അളവ് DocType: Lab Test Template,Lab Test Template,ടെസ്റ്റ് ടെംപ്ലേറ്റ് ടെംപ്ലേറ്റ് +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,വിതരണക്കാരൻ> വിതരണ തരം apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,സെൽ അക്കൌണ്ട് DocType: Purchase Invoice Item,Total Weight,ആകെ ഭാരം +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ഈ പ്രമാണം റദ്ദാക്കുന്നതിന് ജീവനക്കാരൻ {0} delete ഇല്ലാതാക്കുക" DocType: Pick List Item,Pick List Item,ലിസ്റ്റ് ഇനം തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,വിൽപ്പന കമ്മീഷൻ DocType: Job Offer Term,Value / Description,മൂല്യം / വിവരണം @@ -6293,6 +6292,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,സൈൻ ഇൻ ചെയ്തു DocType: Bank Account,Party Type,പാർട്ടി ടൈപ്പ് DocType: Discounted Invoice,Discounted Invoice,ഡിസ്കൗണ്ട് ഇൻവോയ്സ് +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,ഹാജർ അടയാളപ്പെടുത്തുക DocType: Payment Schedule,Payment Schedule,തുക അടക്കേണ്ട തിയതികൾ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},തന്നിരിക്കുന്ന ജീവനക്കാരുടെ ഫീൽഡ് മൂല്യത്തിനായി ഒരു ജീവനക്കാരനെയും കണ്ടെത്തിയില്ല. '{}': {} DocType: Item Attribute Value,Abbreviation,ചുരുക്കല് @@ -6392,7 +6392,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,തുടരുന്നത DocType: Employee,Personal Email,സ്വകാര്യ ഇമെയിൽ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,ആകെ പൊരുത്തമില്ലായ്മ DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","പ്രവർത്തനക്ഷമമായാൽ, സിസ്റ്റം ഓട്ടോമാറ്റിക്കായി സാധനങ്ങളും വേണ്ടി അക്കൗണ്ടിങ് എൻട്രികൾ പോസ്റ്റ് ചെയ്യും." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () സ്വീകരിച്ച അസാധുവായ IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,ബ്രോക്കറേജ് apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,ജീവനക്കാർക്ക് ഹാജർ {0} ഇതിനകം ഈ ദിവസം അടയാളപ്പെടുത്തി DocType: Work Order Operation,"in Minutes @@ -6657,6 +6656,7 @@ DocType: Appointment,Customer Details,ഉപഭോക്തൃ വിശദ apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS 1099 ഫോമുകൾ അച്ചടിക്കുക DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,ആസ്തിയ്ക്ക് പ്രിവന്റീവ് മെയിന്റനൻസ് അല്ലെങ്കിൽ കാലിബ്രേഷൻ ആവശ്യമാണോ എന്ന് പരിശോധിക്കുക apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,കമ്പനി സംഗ്രഹം 5 പ്രതീകങ്ങളിൽ കൂടുതൽ ഉണ്ടായിരിക്കരുത് +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,രക്ഷാകർതൃ കമ്പനി ഒരു ഗ്രൂപ്പ് കമ്പനിയായിരിക്കണം DocType: Employee,Reports to,റിപ്പോർട്ടുകൾ ,Unpaid Expense Claim,നൽകപ്പെടാത്ത ചിലവിടൽ ക്ലെയിം DocType: Payment Entry,Paid Amount,തുക @@ -6744,6 +6744,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,സ്ഥലം പരിശോധന എണ്ണം apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,ട്രയൽ കാലയളവ് ആരംഭിക്കുക തീയതിയും ട്രയൽ കാലയളവും അവസാന തീയതി സജ്ജമാക്കണം apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,ശരാശരി നിരക്ക് +DocType: Appointment,Appointment With,കൂടെ നിയമനം apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,മൊത്തം പേയ്മെന്റ് തുക പേയ്മെന്റ് ഷെഡ്യൂൾ ഗ്രാൻഡ് / വൃത്തത്തിലുള്ള മൊത്തമായി തുല്യമായിരിക്കണം apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","ഉപഭോക്തൃ നൽകിയ ഇനത്തിന്" മൂല്യനിർണ്ണയ നിരക്ക് ഉണ്ടാകരുത് DocType: Subscription Plan Detail,Plan,പദ്ധതി @@ -6874,7 +6875,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,സ്ഥലം പരിശോധന / ലീഡ്% DocType: Bank Guarantee,Bank Account Info,ബാങ്ക് അക്കൗണ്ട് വിവരം DocType: Bank Guarantee,Bank Guarantee Type,ബാങ്ക് ഗ്യാരണ്ടി തരം -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},സാധുവായ IBAN for for നായി BankAccount.validate_iban () പരാജയപ്പെട്ടു DocType: Payment Schedule,Invoice Portion,ഇൻവോയ്സ് പോസിഷൻ ,Asset Depreciations and Balances,അസറ്റ് Depreciations നീക്കിയിരിപ്പും apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},തുക {0} {1} ലേക്ക് {3} {2} നിന്ന് കൈമാറി @@ -7519,7 +7519,6 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The share DocType: Dosage Form,Dosage Form,മരുന്നിന്റെ ഫോം apps/erpnext/erpnext/config/buying.py,Price List master.,വില പട്ടിക മാസ്റ്റർ. DocType: Task,Review Date,അവലോകന തീയതി -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,ഹാജർ അടയാളപ്പെടുത്തുക DocType: BOM,Allow Alternative Item,ഇതര ഇനം അനുവദിക്കുക apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,വാങ്ങൽ രസീതിൽ നിലനിർത്തൽ സാമ്പിൾ പ്രവർത്തനക്ഷമമാക്കിയ ഒരു ഇനവുമില്ല. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ഇൻവോയ്സ് ഗ്രാൻഡ് ടോട്ടൽ @@ -7746,7 +7745,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,പരമാവധി വീണ്ടും ശ്രമിക്കുക പരിധി apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,വില പട്ടിക കണ്ടെത്തിയില്ല അല്ലെങ്കിൽ പ്രവർത്തനരഹിതമാക്കിയിട്ടില്ലെന്ന് DocType: Content Activity,Last Activity ,അവസാന പ്രവർത്തനം -DocType: Student Applicant,Approved,അംഗീകരിച്ചു DocType: Pricing Rule,Price,വില apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} 'ഇടത്' ആയി സജ്ജമാക്കാൻ വേണം ന് ആശ്വാസമായി ജീവനക്കാരൻ DocType: Guardian,Guardian,ഗാർഡിയൻ @@ -7917,6 +7915,7 @@ DocType: Taxable Salary Slab,Percent Deduction,ശതമാനം കിഴി DocType: GL Entry,To Rename,പേരുമാറ്റാൻ DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,സീരിയൽ നമ്പർ ചേർക്കാൻ തിരഞ്ഞെടുക്കുക. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,വിദ്യാഭ്യാസം> വിദ്യാഭ്യാസ ക്രമീകരണങ്ങളിൽ ഇൻസ്ട്രക്ടർ നാമകരണ സംവിധാനം സജ്ജമാക്കുക apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s','% S' ഉപഭോക്താവിനായി ധന കോഡ് സജ്ജമാക്കുക apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,ആദ്യം കമ്പനി തിരഞ്ഞെടുക്കുക DocType: Item Attribute,Numeric Values,സാംഖിക മൂല്യങ്ങൾ @@ -7931,6 +7930,7 @@ DocType: Travel Itinerary,Preferred Area for Lodging,ലോഡ്ജിംഗി apps/erpnext/erpnext/config/agriculture.py,Analytics,അനലിറ്റിക്സ് DocType: Salary Detail,Additional Amount,അധിക തുക apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,കാർട്ട് ശൂന്യമാണ് +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,മൂല്യത്തകർച്ച DocType: Vehicle,Model,മാതൃക DocType: Work Order,Actual Operating Cost,യഥാർത്ഥ ഓപ്പറേറ്റിംഗ് ചെലവ് DocType: Payment Entry,Cheque/Reference No,ചെക്ക് / പരാമർശം ഇല്ല diff --git a/erpnext/translations/mr.csv b/erpnext/translations/mr.csv index 6f063eddfa..52e961a579 100644 --- a/erpnext/translations/mr.csv +++ b/erpnext/translations/mr.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,मानक कर सू DocType: Exchange Rate Revaluation Account,New Exchange Rate,नवीन विनिमय दर apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},चलन दर सूची आवश्यक आहे {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* व्यवहारामधे हिशोब केला जाईल. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,मानव संसाधन> एचआर सेटिंग्जमध्ये कर्मचारी नेमिंग सिस्टम सेट करा DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,ग्राहक संपर्क DocType: Shift Type,Enable Auto Attendance,स्वयं उपस्थिती सक्षम करा @@ -95,6 +94,7 @@ DocType: Item Price,Multiple Item prices.,एकाधिक आयटम भा DocType: SMS Center,All Supplier Contact,सर्व पुरवठादार संपर्क DocType: Support Settings,Support Settings,समर्थन सेटिंग्ज apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,अवैध क्रेडेन्शियल्स +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,घरातून कार्य चिन्हांकित करा apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),आयटीसी उपलब्ध (पूर्ण ऑप भागातील आहे की नाही) DocType: Amazon MWS Settings,Amazon MWS Settings,ऍमेझॉन एमडब्लूएस सेटिंग्ज apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,प्रक्रिया व्हाउचर @@ -407,7 +407,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,आयटम apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,सदस्यता तपशील apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: पुरवठादार देय खात्यावरील आवश्यक आहे {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,आयटम आणि किंमत -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक गट> प्रदेश apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},एकूण तास: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},तारीख पासून आर्थिक वर्षाच्या आत असावे. गृहीत धरा तारीख पासून = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,एचएलसी-पीएमआर-.YYYY.- @@ -766,6 +765,7 @@ DocType: Request for Quotation,Request for Quotation,कोटेशन वि DocType: Healthcare Settings,Require Lab Test Approval,लॅब चाचणी मान्यता आवश्यक DocType: Attendance,Working Hours,कामाचे तास apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,एकूण शिल्लक +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},आयटमसाठी यूओएम रूपांतरण घटक ({0} -> {1}) आढळला नाही: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,विद्यमान मालिकेत सुरू / वर्तमान क्रम संख्या बदला. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,ऑर्डर केलेल्या रकमेच्या तुलनेत आपल्याला अधिक बिल देण्याची टक्केवारी. उदाहरणार्थ: जर एखाद्या आयटमसाठी ऑर्डर मूल्य $ 100 असेल आणि सहिष्णुता 10% म्हणून सेट केली गेली असेल तर आपणास $ 110 साठी बिल करण्याची परवानगी आहे. DocType: Dosage Strength,Strength,सामर्थ्य @@ -1250,7 +1250,6 @@ DocType: Timesheet,Total Billed Hours,एकूण बिल आकारले DocType: Pricing Rule Item Group,Pricing Rule Item Group,नियम आयटम गट किंमत DocType: Travel Itinerary,Travel To,पर्यटनासाठी apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,विनिमय दर पुनर्मूल्यांकन मास्टर. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> क्रमांकिंग सीरिजद्वारे उपस्थितीसाठी क्रमांकन मालिका सेट करा apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Write Off रक्कम DocType: Leave Block List Allow,Allow User,सदस्य परवानगी द्या DocType: Journal Entry,Bill No,बिल नाही @@ -1603,6 +1602,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,प्रोत्साहन apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,समक्रमित मूल्ये apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,फरक मूल्य +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> क्रमांकिंग सीरिजद्वारे उपस्थितीसाठी क्रमांकन मालिका सेट करा DocType: SMS Log,Requested Numbers,विनंती संख्या DocType: Volunteer,Evening,संध्याकाळी DocType: Quiz,Quiz Configuration,क्विझ कॉन्फिगरेशन @@ -1770,6 +1770,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,ठिक DocType: Student Admission,Publish on website,वेबसाइट वर प्रकाशित apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,पुरवठादार चलन तारीख पोस्ट दिनांक पेक्षा जास्त असू शकत नाही DocType: Installation Note,MAT-INS-.YYYY.-,मॅट-एन्एस- .YYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आयटम कोड> आयटम गट> ब्रँड DocType: Subscription,Cancelation Date,रद्द करण्याची तारीख DocType: Purchase Invoice Item,Purchase Order Item,ऑर्डर आयटम खरेदी DocType: Agriculture Task,Agriculture Task,कृषी कार्य @@ -2368,7 +2369,6 @@ DocType: Promotional Scheme,Product Discount Slabs,उत्पादन सू DocType: Target Detail,Target Distribution,लक्ष्य वितरण DocType: Purchase Invoice,06-Finalization of Provisional assessment,०६- अस्थायी मूल्यांकनाची अंमलबजावणी apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,पक्ष आणि पत्ते आयात करीत आहे -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},आयटमसाठी यूओएम रूपांतरण घटक ({0} -> {1}) आढळला नाही: {2} DocType: Salary Slip,Bank Account No.,बँक खाते क्रमांक DocType: Naming Series,This is the number of the last created transaction with this prefix,हा क्रमांक या प्रत्ययसह गेल्या निर्माण केलेला व्यवहार आहे DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -3350,7 +3350,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),एकूण बिलिं apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,फी वेळापत्रक तयार करा apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,ग्राहक महसूल पुन्हा करा DocType: Soil Texture,Silty Clay Loam,सिल्ती क्ले लोम -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षण> शिक्षण सेटिंग्ज मधील इन्स्ट्रक्टर नामांकन प्रणाली सेट करा DocType: Quiz,Enter 0 to waive limit,मर्यादा माफ करण्यासाठी 0 प्रविष्ट करा DocType: Bank Statement Settings,Mapped Items,मॅप केलेली आयटम DocType: Amazon MWS Settings,IT,आयटी @@ -3410,6 +3409,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,-ड्राव्हिंग DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,पुरवठादार धावसंख्याकार्ड उभे राहणे apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},पंक्ती {0}: सामग्रीचा बिल आयटम आढळले नाही {1} DocType: Contract Fulfilment Checklist,Requirement,आवश्यकता +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,मानव संसाधन> एचआर सेटिंग्जमध्ये कर्मचारी नेमिंग सिस्टम सेट करा DocType: Journal Entry,Accounts Receivable,प्राप्तीयोग्य खाते DocType: Quality Goal,Objectives,उद्दीष्टे DocType: HR Settings,Role Allowed to Create Backdated Leave Application,बॅकडेटेड लीव्ह Createप्लिकेशन तयार करण्यासाठी भूमिका अनुमत @@ -3550,6 +3550,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,लागू apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,उलट शुल्कासाठी जबाबदार बाह्य पुरवठा आणि आवक पुरवठ्यांचा तपशील apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,पुन्हा उघडा +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,परवानगी नाही. कृपया लॅब टेस्ट टेम्पलेट अक्षम करा DocType: Sales Invoice Item,Qty as per Stock UOM,Qty शेअर UOM नुसार apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 नाव apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,रूट कंपनी @@ -3635,7 +3636,6 @@ DocType: Payment Request,Transaction Details,व्यवहाराचा त apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,वेळापत्रक प्राप्त करण्यासाठी 'व्युत्पन्न वेळापत्रक' वर क्लिक करा DocType: Item,"Purchase, Replenishment Details","खरेदी, भरपाई तपशील" DocType: Products Settings,Enable Field Filters,फील्ड फिल्टर्स सक्षम करा -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आयटम कोड> आयटम गट> ब्रँड apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","ग्राहक प्रदान केलेला आयटम" देखील खरेदी आयटम असू शकत नाही DocType: Blanket Order Item,Ordered Quantity,आदेश दिलेले प्रमाण apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","उदा ""बांधकाम व्यावसायिकांसाठी बिल्ड साधने """ @@ -4101,7 +4101,7 @@ DocType: BOM,Operating Cost (Company Currency),ऑपरेटिंग खर DocType: Authorization Rule,Applicable To (Role),लागू करण्यासाठी (भूमिका) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,प्रलंबित पाने DocType: BOM Update Tool,Replace BOM,BOM बदला -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,कोड {0} आधीच अस्तित्वात आहे +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,कोड {0} आधीच अस्तित्वात आहे DocType: Patient Encounter,Procedures,प्रक्रीया apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,विक्री ऑर्डर उत्पादन उपलब्ध नाही DocType: Asset Movement,Purpose,उद्देश @@ -4198,6 +4198,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,कर्मचारी DocType: Warranty Claim,Service Address,सेवा पत्ता apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,मास्टर डेटा आयात करा DocType: Asset Maintenance Task,Calibration,कॅलिब्रेशन +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,लॅब टेस्ट आयटम {0} आधीपासून विद्यमान आहे apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} कंपनीची सुट्टी आहे apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,बिल करण्यायोग्य तास apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,स्थिती सूचना सोडा @@ -4547,7 +4548,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,पगार नोंदणी DocType: Company,Default warehouse for Sales Return,सेल्स रिटर्नसाठी डीफॉल्ट वेअरहाउस DocType: Pick List,Parent Warehouse,पालक वखार -DocType: Subscription,Net Total,निव्वळ एकूण +DocType: C-Form Invoice Detail,Net Total,निव्वळ एकूण apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","दिवसातील आयटमचे शेल्फ लाइफ सेट करा, उत्पादन तारखेसह शेल्फ लाइफवर आधारित कालावधी सेट करण्यासाठी." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},डीफॉल्ट BOM आयटम आढळले नाही {0} आणि प्रकल्प {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,पंक्ती {0}: कृपया देय वेळापत्रकात देय मोड सेट करा @@ -4660,7 +4661,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},लक्ष्य कोठार सलग {0} साठी अनिवार्य आहे apps/erpnext/erpnext/config/retail.py,Retail Operations,किरकोळ ऑपरेशन्स DocType: Cheque Print Template,Primary Settings,प्राथमिक सेटिंग्ज -DocType: Attendance Request,Work From Home,घरून काम +DocType: Attendance,Work From Home,घरून काम DocType: Purchase Invoice,Select Supplier Address,पुरवठादाराचा पत्ता निवडा apps/erpnext/erpnext/public/js/event.js,Add Employees,कर्मचारी जोडा DocType: Purchase Invoice Item,Quality Inspection,गुणवत्ता तपासणी @@ -4899,8 +4900,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,अधिकृतता URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},रक्कम {0} {1} {2} {3} DocType: Account,Depreciation,घसारा -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","कृपया हा कागदजत्र रद्द करण्यासाठी कर्मचारी {0}. हटवा" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,शेअर्सची संख्या आणि शेअरची संख्या विसंगत आहेत apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),पुरवठादार (चे) DocType: Employee Attendance Tool,Employee Attendance Tool,कर्मचारी उपस्थिती साधन @@ -5207,7 +5206,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,वनस्पती DocType: Cheque Print Template,Cheque Height,धनादेश उंची DocType: Supplier,Supplier Details,पुरवठादार तपशील DocType: Setup Progress,Setup Progress,सेटअप प्रगती -DocType: Expense Claim,Approval Status,मंजूरीची स्थिती apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},सलग {0} मधे मूल्य पासून मूल्य पर्यंत कमी असणे आवश्यक आहे DocType: Program,Intro Video,परिचय व्हिडिओ DocType: Manufacturing Settings,Default Warehouses for Production,उत्पादनासाठी डीफॉल्ट कोठारे @@ -5542,7 +5540,6 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,विक्र DocType: Purchase Invoice,Rounded Total,गोळाबेरीज एकूण apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} करिता स्लॉट शेड्यूलमध्ये जोडलेले नाहीत DocType: Product Bundle,List items that form the package.,सूची आयटम पॅकेज तयार करा -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,परवानगी नाही. कृपया चाचणी टेम्प्लेट अक्षम करा DocType: Sales Invoice,Distance (in km),अंतर (किमी मध्ये) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,टक्केवारी वाटप 100% समान असावी apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,कृपया पार्टी निवड केली पोस्टिंग तारीख निवडा @@ -5673,7 +5670,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,किंमत सूची विनिमय दर apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,सर्व पुरवठादार गट DocType: Employee Boarding Activity,Required for Employee Creation,कर्मचारी निर्मितीसाठी आवश्यक -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,पुरवठादार> पुरवठादार प्रकार apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},खात्यात {0} खाते क्रमांक वापरला आहे {1} DocType: GoCardless Mandate,Mandate,जनादेश DocType: Hotel Room Reservation,Booked,बुक केले @@ -5737,7 +5733,6 @@ DocType: Production Plan Item,Product Bundle Item,उत्पादन बं DocType: Sales Partner,Sales Partner Name,विक्री भागीदार नाव apps/erpnext/erpnext/hooks.py,Request for Quotations,अवतरणे विनंती DocType: Payment Reconciliation,Maximum Invoice Amount,कमाल चलन रक्कम -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,रिक्त आयबीएएनसाठी बँक खाते (अकाउंट) अवैध DocType: Normal Test Items,Normal Test Items,सामान्य चाचणी आयटम DocType: QuickBooks Migrator,Company Settings,कंपनी सेटिंग्ज DocType: Additional Salary,Overwrite Salary Structure Amount,वेतन रचना रकमेवर अधिलिखित करा @@ -5889,6 +5884,7 @@ DocType: Issue,Resolution By Variance,निराकरण करून भि DocType: Leave Allocation,Leave Period,कालावधी सोडा DocType: Item,Default Material Request Type,मुलभूत साहित्य विनंती प्रकार DocType: Supplier Scorecard,Evaluation Period,मूल्यांकन कालावधी +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक गट> प्रदेश apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,अज्ञात apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,कार्य ऑर्डर तयार नाही apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6246,8 +6242,11 @@ DocType: Salary Component,Formula,सुत्र apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,सिरियल # DocType: Material Request Plan Item,Required Quantity,आवश्यक प्रमाणात DocType: Lab Test Template,Lab Test Template,लॅब टेस्ट टेम्पलेट +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,पुरवठादार> पुरवठादार प्रकार apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,विक्री खाते DocType: Purchase Invoice Item,Total Weight,एकूण वजन +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","कृपया हा कागदजत्र रद्द करण्यासाठी कर्मचारी {0}. हटवा" DocType: Pick List Item,Pick List Item,सूची आयटम निवडा apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,विक्री आयोगाने DocType: Job Offer Term,Value / Description,मूल्य / वर्णन @@ -6361,6 +6360,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,साइन इन केले DocType: Bank Account,Party Type,पार्टी प्रकार DocType: Discounted Invoice,Discounted Invoice,सवलतीच्या पावत्या +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,म्हणून हजेरी लावा DocType: Payment Schedule,Payment Schedule,पेमेंट वेळापत्रक apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},दिलेल्या कर्मचार्‍यांना दिलेल्या फील्ड मूल्यासाठी कोणताही कर्मचारी आढळला नाही. '{}':} DocType: Item Attribute Value,Abbreviation,संक्षेप @@ -6460,7 +6460,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,धारण ठेवण DocType: Employee,Personal Email,वैयक्तिक ईमेल apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,एकूण फरक DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","सक्षम असल्यास, प्रणाली आपोआप यादी एकट्या नोंदी पोस्ट होईल." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},बँक अकाउंट.अधिकृत_बान () अवैध आयबीएएन स्वीकारला { apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,दलाली apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,कर्मचारी {0} हजेरी आधीच आज करीता चिन्हाकृत केले DocType: Work Order Operation,"in Minutes @@ -6727,6 +6726,7 @@ DocType: Appointment,Customer Details,ग्राहक तपशील apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,आयआरएस 1099 फॉर्म मुद्रित करा DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,मालमत्तासाठी प्रतिबंधात्मक देखभाल किंवा कॅलिब्रेशन आवश्यक असल्यास तपासा apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,कंपनी संक्षेप 5 वर्णांपेक्षा अधिक असू शकत नाही +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,पालक कंपनी ही एक ग्रुप कंपनी असणे आवश्यक आहे DocType: Employee,Reports to,अहवाल ,Unpaid Expense Claim,बाकी खर्च दावा DocType: Payment Entry,Paid Amount,पेड रक्कम @@ -6814,6 +6814,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,डॉ संख्या apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,दोन्ही चाचणी कालावधी प्रारंभ तारीख आणि चाचणी कालावधी समाप्ती तारीख सेट करणे आवश्यक आहे apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,सरासरी दर +DocType: Appointment,Appointment With,नेमणूक apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,पेमेंट शेड्यूल मध्ये एकूण देयक रकमेच्या रुंदीच्या एकूण / उरलेली रक्कम apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","ग्राहक प्रदान आयटम" मध्ये मूल्य दर असू शकत नाही DocType: Subscription Plan Detail,Plan,योजना @@ -6944,7 +6945,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,डॉ / लीड% DocType: Bank Guarantee,Bank Account Info,बँक खाते माहिती DocType: Bank Guarantee,Bank Guarantee Type,बँक गॅरंटी प्रकार -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},वैध आयबीएएन Bank Bank साठी बँक अकाउंट. अवैधते_बान () अयशस्वी DocType: Payment Schedule,Invoice Portion,बीजक भाग ,Asset Depreciations and Balances,मालमत्ता Depreciations आणि शिल्लक apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},रक्कम {0} {1} हस्तांतरित {2} करण्यासाठी {3} @@ -7600,7 +7600,6 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The share DocType: Dosage Form,Dosage Form,डोस फॉर्म apps/erpnext/erpnext/config/buying.py,Price List master.,किंमत सूची मास्टर. DocType: Task,Review Date,पुनरावलोकन तारीख -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,म्हणून हजेरी लावा DocType: BOM,Allow Alternative Item,वैकल्पिक आयटमला अनुमती द्या apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,खरेदी पावतीमध्ये कोणताही आयटम नाही ज्यासाठी रीटेन नमूना सक्षम केला आहे. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,बीजक एकूण @@ -7828,7 +7827,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,कमाल रिट्री मर्यादा apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,किंमत सूची आढळली किंवा अकार्यान्वीत केलेली नाही DocType: Content Activity,Last Activity ,शेवटची क्रियाकलाप -DocType: Student Applicant,Approved,मंजूर DocType: Pricing Rule,Price,किंमत apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} वर मुक्त केलेले कर्मचारी 'Left' म्हणून set करणे आवश्यक आहे DocType: Guardian,Guardian,पालक @@ -8000,6 +7998,7 @@ DocType: Taxable Salary Slab,Percent Deduction,टक्के कपात DocType: GL Entry,To Rename,पुनर्नामित करण्यासाठी DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,अनुक्रमांक जोडण्यासाठी निवडा. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षण> शिक्षण सेटिंग्ज मधील इन्स्ट्रक्टर नामांकन प्रणाली सेट करा apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',कृपया ग्राहकांच्या% s साठी वित्तीय कोड सेट करा apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,कृपया प्रथम कंपनी निवडा DocType: Item Attribute,Numeric Values,अंकीय मूल्यांना @@ -8016,6 +8015,7 @@ DocType: Salary Detail,Additional Amount,अतिरिक्त रक्क apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,कार्ट रिक्त आहे apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",{0} आयटमला सीरियल नंबर नाही. फक्त क्रमवारीतील आयटम \ सीरियल नंबरवर आधारित वितरण असू शकतो +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,नापसंत रक्कम DocType: Vehicle,Model,मॉडेल DocType: Work Order,Actual Operating Cost,वास्तविक ऑपरेटिंग खर्च DocType: Payment Entry,Cheque/Reference No,धनादेश / संदर्भ नाही diff --git a/erpnext/translations/ms.csv b/erpnext/translations/ms.csv index ab7e9329c0..8eb5007a1b 100644 --- a/erpnext/translations/ms.csv +++ b/erpnext/translations/ms.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Jumlah Pengecualian Cukai DocType: Exchange Rate Revaluation Account,New Exchange Rate,Kadar Pertukaran Baru apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Mata wang diperlukan untuk Senarai Harga {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Akan dikira dalam urus niaga. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Sila persediaan Sistem Penamaan Pekerja dalam Sumber Manusia> Tetapan HR DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Pelanggan Hubungi DocType: Shift Type,Enable Auto Attendance,Dayakan Auto Kehadiran @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Semua Pembekal Contact DocType: Support Settings,Support Settings,Tetapan sokongan apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Akaun {0} ditambahkan dalam syarikat anak {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Kelayakan tidak sah +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Tandakan Kerja Dari Rumah apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC Tersedia (sama ada dalam bahagian penuh) DocType: Amazon MWS Settings,Amazon MWS Settings,Tetapan MWS Amazon apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Baucer Pemprosesan @@ -409,7 +409,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Amaun Cukai Per apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Butiran Keahlian apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Pembekal diperlukan terhadap akaun Dibayar {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Item dan Harga -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Kumpulan Pelanggan> Wilayah apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Jumlah jam: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Dari Tarikh harus berada dalam Tahun Fiskal. Dengan mengandaikan Dari Tarikh = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -456,7 +455,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Pilihan Terpilih DocType: SG Creation Tool Course,SG Creation Tool Course,Kursus Alat SG Creation DocType: Bank Statement Transaction Invoice Item,Payment Description,Penerangan Bayaran -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Sila tetapkan Siri Penamaan untuk {0} melalui Persediaan> Tetapan> Penamaan Siri apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Saham yang tidak mencukupi DocType: Email Digest,New Sales Orders,New Jualan Pesanan DocType: Bank Account,Bank Account,Akaun Bank @@ -778,6 +776,7 @@ DocType: Request for Quotation,Request for Quotation,Permintaan untuk sebut harg DocType: Healthcare Settings,Require Lab Test Approval,Memerlukan Kelulusan Ujian Lab DocType: Attendance,Working Hours,Waktu Bekerja apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Jumlah yang belum dijelaskan +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor penukaran UOM ({0} -> {1}) tidak ditemui untuk item: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Menukar nombor yang bermula / semasa urutan siri yang sedia ada. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,Peratusan anda dibenarkan untuk membilkan lebih banyak daripada jumlah yang diperintahkan. Sebagai contoh: Jika nilai pesanan adalah $ 100 untuk item dan toleransi ditetapkan sebanyak 10% maka anda dibenarkan untuk membiayai $ 110. DocType: Dosage Strength,Strength,Kekuatan @@ -1272,7 +1271,6 @@ DocType: Timesheet,Total Billed Hours,Jumlah Jam Diiktiraf DocType: Pricing Rule Item Group,Pricing Rule Item Group,Kumpulan Item Peraturan Harga DocType: Travel Itinerary,Travel To,Mengembara ke apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Tuan penilaian semula nilai tukar. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Sila persediaan siri penomboran untuk Kehadiran melalui Persediaan> Penomboran Siri apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Tulis Off Jumlah DocType: Leave Block List Allow,Allow User,Benarkan pengguna DocType: Journal Entry,Bill No,Rang Undang-Undang No @@ -1629,6 +1627,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Insentif apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Nilai Out Of Sync apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Nilai Perbezaan +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Sila persediaan siri penomboran untuk Kehadiran melalui Persediaan> Penomboran Siri DocType: SMS Log,Requested Numbers,Nombor diminta DocType: Volunteer,Evening,Petang DocType: Quiz,Quiz Configuration,Konfigurasi Kuiz @@ -1796,6 +1795,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Dari Temp DocType: Student Admission,Publish on website,Menerbitkan di laman web apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Pembekal Invois Tarikh tidak boleh lebih besar daripada Pos Tarikh DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod Item> Kumpulan Item> Jenama DocType: Subscription,Cancelation Date,Tarikh Pembatalan DocType: Purchase Invoice Item,Purchase Order Item,Pesanan Pembelian Item DocType: Agriculture Task,Agriculture Task,Petugas Pertanian @@ -2404,7 +2404,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Slab Diskaun Produk DocType: Target Detail,Target Distribution,Pengagihan Sasaran DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Muktamadkan penilaian sementara apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Mengimport Pihak dan Alamat -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor penukaran UOM ({0} -> {1}) tidak ditemui untuk item: {2} DocType: Salary Slip,Bank Account No.,No. Akaun Bank DocType: Naming Series,This is the number of the last created transaction with this prefix,Ini ialah bilangan transaksi terakhir yang dibuat dengan awalan ini DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2798,6 +2797,9 @@ DocType: Company,Default Holiday List,Default Senarai Holiday DocType: Pricing Rule,Supplier Group,Kumpulan Pembekal apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: Dari Masa dan Untuk Masa {1} adalah bertindih dengan {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",BOM dengan nama {0} sudah wujud untuk item {1}.
Adakah anda menamakan semula item itu? Sila hubungi sokongan Pentadbir / Teknikal apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Liabiliti saham DocType: Purchase Invoice,Supplier Warehouse,Gudang Pembekal DocType: Opportunity,Contact Mobile No,Hubungi Mobile No @@ -3246,6 +3248,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Jadual Mesyuarat Kualiti apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Lawati forum +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Tidak dapat menyelesaikan tugas {0} sebagai tugasnya bergantung {1} tidak selesai / dibatalkan. DocType: Student,Student Mobile Number,Pelajar Nombor Telefon DocType: Item,Has Variants,Mempunyai Kelainan DocType: Employee Benefit Claim,Claim Benefit For,Manfaat Tuntutan Untuk @@ -3407,7 +3410,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Jumlah Bil (melalui Lembaran apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Buat Jadual Bayaran apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Ulang Hasil Pelanggan DocType: Soil Texture,Silty Clay Loam,Loam Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Sila persediaan Sistem Penamaan Pengajar dalam Pendidikan> Tetapan Pendidikan DocType: Quiz,Enter 0 to waive limit,Masukkan 0 untuk mengetepikan had DocType: Bank Statement Settings,Mapped Items,Item yang dipadatkan DocType: Amazon MWS Settings,IT,IT @@ -3441,7 +3443,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Tidak ada aset yang mencukupi atau dikaitkan dengan {0}. \ Sila buat atau hubungkan {1} Aset dengan dokumen masing-masing. DocType: Pricing Rule,Apply Rule On Brand,Memohon Peraturan Mengenai Jenama DocType: Task,Actual End Date (via Time Sheet),Sebenar Tarikh Akhir (melalui Lembaran Time) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Tidak dapat menutup tugas {0} sebagai tugas bergantungnya {1} tidak ditutup. DocType: Soil Texture,Soil Type,Jenis Tanah apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Jumlah {0} {1} daripada {2} {3} ,Quotation Trends,Trend Sebut Harga @@ -3471,6 +3472,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Self-Driving Kenderaan DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Pembekal kad skor pembekal apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials tidak dijumpai untuk Perkara {1} DocType: Contract Fulfilment Checklist,Requirement,Keperluan +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Sila persediaan Sistem Penamaan Pekerja dalam Sumber Manusia> Tetapan HR DocType: Journal Entry,Accounts Receivable,Akaun-akaun boleh terima DocType: Quality Goal,Objectives,Objektif DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Peranan Dibenarkan Buat Permohonan Cuti Backdated @@ -3612,6 +3614,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Applied apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Butir-butir Bekalan Bekalan dan bekalan ke dalam boleh dikenakan caj balik apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Buka semula +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Tidak diizinkan. Sila nyahdayakan Template Test Lab DocType: Sales Invoice Item,Qty as per Stock UOM,Qty seperti Saham UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nama Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Syarikat Root @@ -3671,6 +3674,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Jenis perniagaan DocType: Sales Invoice,Consumer,Pengguna apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Sila pilih Jumlah Diperuntukkan, Jenis Invois dan Nombor Invois dalam atleast satu baris" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Sila tetapkan Siri Penamaan untuk {0} melalui Persediaan> Tetapan> Penamaan Siri apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kos Pembelian New apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Pesanan Jualan diperlukan untuk Perkara {0} DocType: Grant Application,Grant Description,Pemberian Geran @@ -3697,7 +3701,6 @@ DocType: Payment Request,Transaction Details,butiran transaksi apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,Sila klik pada 'Menjana Jadual' untuk mendapatkan jadual DocType: Item,"Purchase, Replenishment Details","Pembelian, Butiran Penambahan" DocType: Products Settings,Enable Field Filters,Dayakan Penapis Field -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod Item> Kumpulan Item> Jenama apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","Item yang Dibekalkan Pelanggan" tidak boleh Dibeli Perkara juga DocType: Blanket Order Item,Ordered Quantity,Mengarahkan Kuantiti apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",contohnya "Membina alat bagi pembina" @@ -4170,7 +4173,7 @@ DocType: BOM,Operating Cost (Company Currency),Kos operasi (Syarikat Mata Wang) DocType: Authorization Rule,Applicable To (Role),Terpakai Untuk (Peranan) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Meninggalkan Daun DocType: BOM Update Tool,Replace BOM,Gantikan BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kod {0} sudah wujud +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kod {0} sudah wujud DocType: Patient Encounter,Procedures,Prosedur apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Pesanan jualan tidak tersedia untuk pengeluaran DocType: Asset Movement,Purpose,Tujuan @@ -4267,6 +4270,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Abaikan Peralihan Masa P DocType: Warranty Claim,Service Address,Alamat Perkhidmatan apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Import Master Data DocType: Asset Maintenance Task,Calibration,Penentukuran +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Item Ujian Makmal {0} sudah wujud apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} adalah percutian syarikat apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Waktu yang boleh ditanggung apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Tinggalkan Pemberitahuan Status @@ -4620,7 +4624,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,gaji Daftar DocType: Company,Default warehouse for Sales Return,Gudang lalai untuk Pulangan Jualan DocType: Pick List,Parent Warehouse,Warehouse Ibu Bapa -DocType: Subscription,Net Total,Jumlah bersih +DocType: C-Form Invoice Detail,Net Total,Jumlah bersih apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Tetapkan hayat rak item pada hari-hari, untuk menetapkan tamat tempoh berdasarkan tarikh perkilangan ditambah jangka hayat." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Lalai BOM tidak dijumpai untuk Perkara {0} dan Projek {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Baris {0}: Sila tetapkan Mod Pembayaran dalam Jadual Pembayaran @@ -4735,7 +4739,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Gudang sasaran adalah wajib untuk berturut-turut {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Operasi Runcit DocType: Cheque Print Template,Primary Settings,Tetapan utama -DocType: Attendance Request,Work From Home,Bekerja dari rumah +DocType: Attendance,Work From Home,Bekerja dari rumah DocType: Purchase Invoice,Select Supplier Address,Pilih Alamat Pembekal apps/erpnext/erpnext/public/js/event.js,Add Employees,Tambahkan Pekerja DocType: Purchase Invoice Item,Quality Inspection,Pemeriksaan Kualiti @@ -4979,8 +4983,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL Kebenaran apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Jumlah {0} {1} {2} {3} DocType: Account,Depreciation,Susutnilai -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Sila padamkan Pekerja {0} \ untuk membatalkan dokumen ini" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Bilangan saham dan bilangan saham tidak konsisten apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Pembekal (s) DocType: Employee Attendance Tool,Employee Attendance Tool,Pekerja Tool Kehadiran @@ -5290,7 +5292,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kriteria Analisis Loji DocType: Cheque Print Template,Cheque Height,Cek Tinggi DocType: Supplier,Supplier Details,Butiran Pembekal DocType: Setup Progress,Setup Progress,Kemajuan Persediaan -DocType: Expense Claim,Approval Status,Kelulusan Status apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Dari nilai boleh kurang daripada nilai berturut-turut {0} DocType: Program,Intro Video,Video Pengenalan DocType: Manufacturing Settings,Default Warehouses for Production,Gudang Default untuk Pengeluaran @@ -5634,7 +5635,6 @@ DocType: Purchase Invoice,Rounded Total,Bulat Jumlah apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slot untuk {0} tidak ditambah pada jadual DocType: Product Bundle,List items that form the package.,Senarai item yang membentuk pakej. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Lokasi Sasaran diperlukan semasa memindahkan Asset {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Tidak dibenarkan. Sila lumpuhkan Templat Ujian DocType: Sales Invoice,Distance (in km),Jarak (dalam km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Peratus Peruntukan hendaklah sama dengan 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Sila pilih Tarikh Pengeposan sebelum memilih Parti @@ -5765,7 +5765,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Senarai Harga Kadar Pertukaran apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Semua Kumpulan Pembekal DocType: Employee Boarding Activity,Required for Employee Creation,Diperlukan untuk Penciptaan Pekerja -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pembekal> Jenis Pembekal apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Nombor Akaun {0} yang telah digunakan dalam akaun {1} DocType: GoCardless Mandate,Mandate,Mandat DocType: Hotel Room Reservation,Booked,Telah dipetik @@ -5831,7 +5830,6 @@ DocType: Production Plan Item,Product Bundle Item,Produk Bundle Item DocType: Sales Partner,Sales Partner Name,Nama Rakan Jualan apps/erpnext/erpnext/hooks.py,Request for Quotations,Tawaran Sebut Harga DocType: Payment Reconciliation,Maximum Invoice Amount,Amaun Invois maksimum -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () gagal untuk IBAN kosong DocType: Normal Test Items,Normal Test Items,Item Ujian Normal DocType: QuickBooks Migrator,Company Settings,Tetapan Syarikat DocType: Additional Salary,Overwrite Salary Structure Amount,Timpa Jumlah Struktur Gaji @@ -5985,6 +5983,7 @@ DocType: Issue,Resolution By Variance,Resolusi Mengikut Perbezaan DocType: Leave Allocation,Leave Period,Tempoh Cuti DocType: Item,Default Material Request Type,Lalai Bahan Jenis Permintaan DocType: Supplier Scorecard,Evaluation Period,Tempoh Penilaian +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Kumpulan Pelanggan> Wilayah apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,tidak diketahui apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Perintah Kerja tidak dibuat apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6350,8 +6349,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Kuantiti yang Diperlukan DocType: Lab Test Template,Lab Test Template,Templat Ujian Lab apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Tempoh Perakaunan bertindih dengan {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pembekal> Jenis Pembekal apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Akaun Jualan DocType: Purchase Invoice Item,Total Weight,Berat keseluruhan +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Sila padamkan Pekerja {0} \ untuk membatalkan dokumen ini" DocType: Pick List Item,Pick List Item,Pilih Senarai Item apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Suruhanjaya Jualan DocType: Job Offer Term,Value / Description,Nilai / Penerangan @@ -6466,6 +6468,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Ditandatangani DocType: Bank Account,Party Type,Jenis Parti DocType: Discounted Invoice,Discounted Invoice,Invois Diskaun +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Tandatangan kehadiran sebagai DocType: Payment Schedule,Payment Schedule,Jadual pembayaran apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Tiada Pekerja yang didapati untuk nilai medan pekerja yang diberi. '{}': {} DocType: Item Attribute Value,Abbreviation,Singkatan @@ -6568,7 +6571,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Sebab Untuk Meletakkan Pega DocType: Employee,Personal Email,E-mel peribadi apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Jumlah Varian DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jika diaktifkan, sistem akan menghantar entri perakaunan untuk inventori secara automatik." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () diterima tidak sah IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerage apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Kehadiran pekerja {0} sudah ditanda pada hari ini DocType: Work Order Operation,"in Minutes @@ -6839,6 +6841,7 @@ DocType: Appointment,Customer Details,Butiran Pelanggan apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Cetak Borang IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Periksa sama ada Asset memerlukan Penyelenggaraan Pencegahan atau Penentukuran apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Singkatan Syarikat tidak boleh mempunyai lebih daripada 5 aksara +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Syarikat induk mestilah syarikat kumpulan DocType: Employee,Reports to,Laporan kepada ,Unpaid Expense Claim,Tidak dibayar Perbelanjaan Tuntutan DocType: Payment Entry,Paid Amount,Jumlah yang dibayar @@ -6928,6 +6931,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Tarikh Mulai Tempoh Percubaan dan Tarikh Akhir Tempoh Percubaan mesti ditetapkan apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Kadar purata +DocType: Appointment,Appointment With,Pelantikan Dengan apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Jumlah Amaun Pembayaran dalam Jadual Pembayaran mestilah sama dengan Jumlah Besar / Bulat apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Item yang Dibekalkan Pelanggan" tidak boleh mempunyai Kadar Penilaian DocType: Subscription Plan Detail,Plan,Rancang @@ -7061,7 +7065,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,RRJP / Lead% DocType: Bank Guarantee,Bank Account Info,Maklumat Akaun Bank DocType: Bank Guarantee,Bank Guarantee Type,Jenis Jaminan Bank -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () gagal untuk sah IBAN {} DocType: Payment Schedule,Invoice Portion,Bahagian Invois ,Asset Depreciations and Balances,Penurunan nilai aset dan Baki apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Jumlah {0} {1} dipindahkan dari {2} kepada {3} @@ -7731,7 +7734,6 @@ DocType: Dosage Form,Dosage Form,Borang Dos apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Sila sediakan Jadual Kempen dalam Kempen {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Senarai Harga induk. DocType: Task,Review Date,Tarikh Semakan -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Tandatangan kehadiran sebagai DocType: BOM,Allow Alternative Item,Benarkan Item Alternatif apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Resit Pembelian tidak mempunyai sebarang item yang mengekalkan sampel adalah didayakan. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Jumlah Besar Invois @@ -7963,7 +7965,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Batas Semula Maksima apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Senarai Harga tidak dijumpai atau orang kurang upaya DocType: Content Activity,Last Activity ,Aktiviti Terakhir -DocType: Student Applicant,Approved,Diluluskan DocType: Pricing Rule,Price,Harga apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Pekerja lega pada {0} mesti ditetapkan sebagai 'kiri' DocType: Guardian,Guardian,Guardian @@ -8135,6 +8136,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Potongan Percukaian DocType: GL Entry,To Rename,Untuk Namakan semula DocType: Stock Entry,Repack,Membungkus semula apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Pilih untuk menambah Nombor Serial. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Sila persediaan Sistem Penamaan Pengajar dalam Pendidikan> Tetapan Pendidikan apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Sila tetapkan Kod Fiskal untuk '% s' pelanggan apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Sila pilih Syarikat terlebih dahulu DocType: Item Attribute,Numeric Values,Nilai-nilai berangka @@ -8151,6 +8153,7 @@ DocType: Salary Detail,Additional Amount,Jumlah Tambahan apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Troli kosong apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Item {0} tidak mempunyai Siri Serial sahaja. Hanya serilialized item \ boleh mempunyai penghantaran berdasarkan Serial No +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Jumlah Susut Nilai DocType: Vehicle,Model,model DocType: Work Order,Actual Operating Cost,Kos Sebenar Operasi DocType: Payment Entry,Cheque/Reference No,Cek / Rujukan diff --git a/erpnext/translations/my.csv b/erpnext/translations/my.csv index c79bb0d892..8467665a5a 100644 --- a/erpnext/translations/my.csv +++ b/erpnext/translations/my.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,စံအခွန်က DocType: Exchange Rate Revaluation Account,New Exchange Rate,နယူးချိန်းနှုန်း apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},ငွေကြေးစျေးနှုန်းစာရင်း {0} သည်လိုအပ်သည် DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ထိုအရောင်းအဝယ်အတွက်တွက်ချက်ခြင်းကိုခံရလိမ့်မည်။ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ကျေးဇူးပြု၍ လူ့စွမ်းအားအရင်းအမြစ်> HR ဆက်တင်တွင် Employee Naming System ကိုထည့်သွင်းပါ DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-၎င်းကို-.YYYY.- DocType: Purchase Order,Customer Contact,customer ဆက်သွယ်ရန် DocType: Shift Type,Enable Auto Attendance,အော်တိုတက်ရောက် Enable @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,အားလုံးသည်ပေး DocType: Support Settings,Support Settings,ပံ့ပိုးမှုက Settings apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},အကောင့် {0} ထိုသူငယ်ကုမ္ပဏီ {1} အတွက်ဆက်ပြောသည်ဖြစ်ပါတယ် apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,မှားနေသောအထောက်အထားများ +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,အိမ်မှМаркအလုပ်လုပ်သည် apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),(အပြည့်အဝ op အစိတ်အပိုင်းအတွက်ရှိမရှိ) ရရှိနိုင် ITC DocType: Amazon MWS Settings,Amazon MWS Settings,အမေဇုံ MWS Settings များ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,အပြောင်းအလဲနဲ့ voucher @@ -409,7 +409,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Value ကို apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,အသင်းဝင်အသေးစိတ် apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: ပေးသွင်းပေးချေအကောင့် {2} ဆန့်ကျင်လိုအပ်ပါသည် apps/erpnext/erpnext/config/buying.py,Items and Pricing,ပစ္စည်းများနှင့်စျေးနှုန်းများ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ဖောက်သည်> ဖောက်သည်အုပ်စု> နယ်မြေ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},စုစုပေါင်းနာရီ: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},နေ့စွဲကနေဘဏ္ဍာရေးနှစ်တစ်နှစ်တာအတွင်းတွင်သာဖြစ်သင့်သည်။ နေ့စွဲ မှစ. ယူဆ = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,ဆဆ-PMR-.YYYY.- @@ -456,7 +455,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Selected Option ကို DocType: SG Creation Tool Course,SG Creation Tool Course,စင်ကာပူဒေါ်လာဖန်ဆင်းခြင်း Tool ကိုသင်တန်းအမှတ်စဥ် DocType: Bank Statement Transaction Invoice Item,Payment Description,ငွေပေးချေမှုရမည့်ဖျေါပွခကျြ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,ကျေးဇူးပြု၍ Setup> Settings> Naming Series မှ {0} အတွက် Naming Series ကိုသတ်မှတ်ပါ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,မလုံလောက်သောစတော့အိတ် DocType: Email Digest,New Sales Orders,နယူးအရောင်းအမိန့် DocType: Bank Account,Bank Account,ဘဏ်မှအကောင့် @@ -778,6 +776,7 @@ DocType: Request for Quotation,Request for Quotation,စျေးနှုန် DocType: Healthcare Settings,Require Lab Test Approval,Lab ကစမ်းသပ်အတည်ပြုချက်လိုအပ် DocType: Attendance,Working Hours,အလုပ်လုပ်နာရီ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,ထူးချွန်စုစုပေါင်း +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM ပြောင်းလဲမှုအချက် ({0} -> {1}) ကိုရှာမတွေ့ပါ။ {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,ရှိပြီးသားစီးရီး၏စတင်ကာ / လက်ရှိ sequence number ကိုပြောင်းပါ။ DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,ရာခိုင်နှုန်းသငျသညျအမိန့်ပမာဏကိုဆန့်ကျင်ပိုပြီးလှာခွင့်ပြုခဲ့ရသည်။ ဥပမာ: 10% ပြီးနောက်သင် $ 110 အဘို့အလှာခွင့်ပြုခဲ့ကြသည်အဖြစ်အမိန့်တန်ဖိုးကိုသည်ဆိုပါကတစ်ဦးကို item နှင့်သည်းခံစိတ်များအတွက် $ 100 အထိသတ်မှတ်ထားသည်။ DocType: Dosage Strength,Strength,ခွန်အား @@ -1272,7 +1271,6 @@ DocType: Timesheet,Total Billed Hours,စုစုပေါင်းကောက DocType: Pricing Rule Item Group,Pricing Rule Item Group,စျေးနှုန်းနည်းဥပဒေ Item Group မှ DocType: Travel Itinerary,Travel To,ရန်ခရီးသွားခြင်း apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,ချိန်းနှုန်း Revaluation မာစတာ။ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ကျေးဇူးပြု၍ Setup> Numbering Series မှတဆင့်တက်ရောက်သူများအတွက်နံပါတ်စဉ်ဆက်တင်များကိုစီစဉ်ပေးပါ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,ငွေပမာဏပိတ်ရေးထား DocType: Leave Block List Allow,Allow User,အသုံးပြုသူ Allow DocType: Journal Entry,Bill No,ဘီလ်မရှိပါ @@ -1629,6 +1627,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,မက်လုံးတွေပေးပြီး apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ထပ်တူပြုခြင်းထဲကတန်ဖိုးများ apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,ခြားနားချက်တန်ဖိုး +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ကျေးဇူးပြု၍ Setup> Numbering Series မှတဆင့်တက်ရောက်သူများအတွက်နံပါတ်စဉ်ဆက်တင်များကိုစီစဉ်ပေးပါ DocType: SMS Log,Requested Numbers,တောင်းဆိုထားသော Numbers DocType: Volunteer,Evening,ညနေ DocType: Quiz,Quiz Configuration,ပဟေဠိ Configuration @@ -1796,6 +1795,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Place က DocType: Student Admission,Publish on website,website တွင် Publish apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,ပေးသွင်းငွေတောင်းခံလွှာနေ့စွဲနေ့စွဲပို့စ်တင်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ DocType: Installation Note,MAT-INS-.YYYY.-,MAT-ins-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ပစ္စည်းကုဒ်> ပစ္စည်းအုပ်စု> ကုန်အမှတ်တံဆိပ် DocType: Subscription,Cancelation Date,ပယ်ဖျက်ခြင်းနေ့စွဲ DocType: Purchase Invoice Item,Purchase Order Item,ဝယ်ယူခြင်းအမိန့် Item DocType: Agriculture Task,Agriculture Task,စိုက်ပျိုးရေးလုပ်ငန်း @@ -2404,7 +2404,6 @@ DocType: Promotional Scheme,Product Discount Slabs,ကုန်ပစ္စည DocType: Target Detail,Target Distribution,Target ကဖြန့်ဖြူး DocType: Purchase Invoice,06-Finalization of Provisional assessment,ယာယီအကဲဖြတ်၏ 06-Final apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,ပါတီများနှင့်လိပ်စာတင်သွင်းခြင်း -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM ပြောင်းလဲမှုအချက် ({0} -> {1}) ကိုရှာမတွေ့ပါ။ {2} DocType: Salary Slip,Bank Account No.,ဘဏ်မှအကောင့်အမှတ် DocType: Naming Series,This is the number of the last created transaction with this prefix,ဤရှေ့ဆက်အတူပြီးခဲ့သည့်နေသူများကဖန်တီးအရောင်းအဝယ်အရေအတွက်သည် DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -3244,6 +3243,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA သို့-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,အရည်အသွေးအစည်းအဝေးဇယား apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,အဆိုပါဖိုရမ်သို့သွားရောက် +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,{0} ကိုမှီခိုနေရတဲ့အလုပ် {1} အနေဖြင့်ပြီးပြည့်စုံသောအလုပ်ကိုမပြီးနိူင်ပါ။ DocType: Student,Student Mobile Number,ကျောင်းသားသမဂ္ဂမိုဘိုင်းနံပါတ် DocType: Item,Has Variants,မူကွဲရှိပါတယ် DocType: Employee Benefit Claim,Claim Benefit For,သည်ပြောဆိုချက်ကိုအကျိုးခံစားခွင့် @@ -3405,7 +3405,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),(အချိန်စာရ apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,ကြေးဇယား Create apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,repeat ဖောက်သည်အခွန်ဝန်ကြီးဌာန DocType: Soil Texture,Silty Clay Loam,Silty ရွှံ့စေး Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ကျေးဇူးပြုပြီးပညာရေး> ပညာရေးချိန်ညှိချက်များတွင်နည်းပြအမည်ပေးခြင်းစနစ်ကိုထည့်သွင်းပါ DocType: Quiz,Enter 0 to waive limit,ကန့်သတ်လည်စေရန် 0 င် Enter DocType: Bank Statement Settings,Mapped Items,တစ်ခုသို့ဆက်စပ်ပစ္စည်းများ DocType: Amazon MWS Settings,IT,အိုင်တီ @@ -3437,7 +3436,6 @@ apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depr ,Maintenance Schedules,ပြုပြင်ထိန်းသိမ်းမှုအချိန်ဇယား DocType: Pricing Rule,Apply Rule On Brand,ကုန်အမှတ်တံဆိပ်တွင်စည်းမျဉ်း Apply DocType: Task,Actual End Date (via Time Sheet),(အချိန်စာရွက်မှတဆင့်) အမှန်တကယ်ပြီးဆုံးရက်စွဲ -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,မဟုတ်အနီးကပ်တာဝန် {0} က၎င်း၏မှီခိုတာဝန် {1} ပိတ်ထားတဲ့မဟုတ်ပါဘူးအဖြစ်နိုင်သလား။ DocType: Soil Texture,Soil Type,မြေဆီလွှာတွင်အမျိုးအစား apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},ငွေပမာဏ {0} {1} {2} {3} ဆန့်ကျင် ,Quotation Trends,စျေးနှုန်းခေတ်ရေစီးကြောင်း @@ -3467,6 +3465,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,self-မောင်းနှ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,ပေးသွင်း Scorecard အမြဲတမ်း apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},အတန်း {0}: ပစ္စည်းများ၏ဘီလ်ဟာအရာဝတ္ထု {1} ဘို့မတွေ့ရှိ DocType: Contract Fulfilment Checklist,Requirement,လိုအပ်ချက် +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ကျေးဇူးပြု၍ လူ့စွမ်းအားအရင်းအမြစ်> HR ဆက်တင်တွင် Employee Naming System ကိုထည့်သွင်းပါ DocType: Journal Entry,Accounts Receivable,ငွေစာရင်းရရန်ရှိသော DocType: Quality Goal,Objectives,ရည်ရွယ်ချက်များ DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Backdated Leave လျှောက်လွှာကိုဖန်တီးရန်ခွင့်ပြုအခန်းကဏ္။ @@ -3608,6 +3607,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,အသုံးချ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,အပြင်ထောက်ပံ့ကုန်၏ Details နဲ့အတှငျးတာဝန်ခံ reverse ခံထိုက်ပေ၏ဖြန့်ဖြူး apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re-ပွင့်လင်း +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,ခွင့်မပြုပါ။ ကျေးဇူးပြု၍ Lab Test Template ကိုပိတ်ပါ DocType: Sales Invoice Item,Qty as per Stock UOM,စတော့အိတ် UOM နှုန်းအဖြစ် Qty apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 အမည် apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,အမြစ်ကုမ္ပဏီ @@ -3667,6 +3667,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,စီးပွားရေးအမျိုးအစား DocType: Sales Invoice,Consumer,စားသုံးသူ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","atleast တယောက်အတန်းအတွက်ခွဲဝေငွေပမာဏ, ပြေစာ Type နှင့်ပြေစာနံပါတ်ကို select ကျေးဇူးပြု." +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,ကျေးဇူးပြု၍ Setup> Settings> Naming Series မှ {0} အတွက် Naming Series ကိုသတ်မှတ်ပါ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,နယူးအရစ်ကျ၏ကုန်ကျစရိတ် apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Item {0} လိုအပ်အရောင်းအမိန့် DocType: Grant Application,Grant Description,Grant ကဖျေါပွခကျြ @@ -3693,7 +3694,6 @@ DocType: Payment Request,Transaction Details,ငွေသွင်းငွေ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,အချိန်ဇယားအရ '' Generate ဇယား '' ကို click ပါ ကျေးဇူးပြု. DocType: Item,"Purchase, Replenishment Details","အရစ်ကျ, Replenishment အသေးစိတ်" DocType: Products Settings,Enable Field Filters,ကွင်းဆင်းစိစစ်မှုများ Enable -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ပစ္စည်းကုဒ်> ပစ္စည်းအုပ်စု> ကုန်အမှတ်တံဆိပ် apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","ဖောက်သည်ပေး Item" ကိုလည်းဝယ်ယူ Item မဖွစျနိုငျ DocType: Blanket Order Item,Ordered Quantity,အမိန့်ပမာဏ apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",ဥပမာ "လက်သမားသည် tools တွေကို Build" @@ -4166,7 +4166,7 @@ DocType: BOM,Operating Cost (Company Currency),operating ကုန်ကျစ DocType: Authorization Rule,Applicable To (Role),(အခန်းက္ပ) ရန်သက်ဆိုင်သော apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,ဆိုင်းငံ့အရွက် DocType: BOM Update Tool,Replace BOM,BOM အစားထိုးမည် -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Code ကို {0} ပြီးသားတည်ရှိ +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Code ကို {0} ပြီးသားတည်ရှိ DocType: Patient Encounter,Procedures,လုပျထုံးလုပျနညျး apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,အရောင်းအမိန့်ထုတ်လုပ်မှုများအတွက်ရရှိနိုင်မဟုတျပါ DocType: Asset Movement,Purpose,ရည်ရွယ်ချက် @@ -4262,6 +4262,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,ထမ်းအချိ DocType: Warranty Claim,Service Address,Service ကိုလိပ်စာ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,သွင်းကုန်မာစတာဒေတာများ DocType: Asset Maintenance Task,Calibration,စံကိုက်ညှိ +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Lab Test Item {0} ရှိပြီးသား apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ကုမ္ပဏီအားလပ်ရက်ဖြစ်ပါသည် apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ဘီလ်ဆောင်နာရီ apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,အခြေအနေသတိပေးချက် Leave @@ -4615,7 +4616,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,လစာမှတ်ပုံတင်မည် DocType: Company,Default warehouse for Sales Return,အရောင်းပြန်သွားဘို့ default ဂိုဒေါင် DocType: Pick List,Parent Warehouse,မိဘဂိုဒေါင် -DocType: Subscription,Net Total,Net ကစုစုပေါင်း +DocType: C-Form Invoice Detail,Net Total,Net ကစုစုပေါင်း apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",ကုန်ထုတ်လုပ်မှုနေ့စွဲပေါင်းကမ်းလွန်ရေတိမ်ပိုင်းဘဝအပေါ်အခြေခံပြီးသက်တမ်းကုန်ဆုံးတင်ထားရန်နေ့ရက်ကာလ၌ set ကို item ရဲ့ကမ်းလွန်ရေတိမ်ပိုင်းဘဝ။ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},default Item {0} ဘို့မတွေ့ရှိ BOM နှင့်စီမံကိန်း {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,အတန်း {0}: ငွေပေးချေမှုရမည့်ဇယားများတွင်ငွေပေးချေ၏ Mode ကိုသတ်မှတ်ပေးပါ @@ -4730,7 +4731,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target ကဂိုဒေါင်အတန်း {0} သည်မသင်မနေရ apps/erpnext/erpnext/config/retail.py,Retail Operations,လက်လီစစ်ဆင်ရေး DocType: Cheque Print Template,Primary Settings,မူလတန်းက Settings -DocType: Attendance Request,Work From Home,မူလစာမျက်နှာ မှစ. လုပ်ငန်းခွင် +DocType: Attendance,Work From Home,မူလစာမျက်နှာ မှစ. လုပ်ငန်းခွင် DocType: Purchase Invoice,Select Supplier Address,ပေးသွင်းလိပ်စာကို Select လုပ်ပါ apps/erpnext/erpnext/public/js/event.js,Add Employees,ဝန်ထမ်းများ Add DocType: Purchase Invoice Item,Quality Inspection,အရည်အသွေးအစစ်ဆေးရေး @@ -5283,7 +5284,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,စက်ရုံအ DocType: Cheque Print Template,Cheque Height,Cheque တစ်စောင်လျှင်အမြင့် DocType: Supplier,Supplier Details,ပေးသွင်းအသေးစိတ်ကို DocType: Setup Progress,Setup Progress,Setup ကိုတိုးတက်ရေးပါတီ -DocType: Expense Claim,Approval Status,ခွင့်ပြုချက်နဲ့ Status apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},တန်ဖိုးမြှင်ထံမှအတန်း {0} အတွက်တန်ဖိုးထက်နည်းရှိရမည် DocType: Program,Intro Video,မိတ်ဆက်ခြင်းကိုဗီဒီယို DocType: Manufacturing Settings,Default Warehouses for Production,ထုတ်လုပ်မှုအတွက်ပုံမှန်သိုလှောင်ရုံများ @@ -5626,7 +5626,6 @@ DocType: Purchase Invoice,Rounded Total,rounded စုစုပေါင်း apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} များအတွက် slots အချိန်ဇယားကိုထည့်သွင်းမထား DocType: Product Bundle,List items that form the package.,အထုပ်ဖွဲ့စည်းကြောင်းပစ္စည်းများစာရင်း။ apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},ပိုင်ဆိုင်မှုများကိုလွှဲပြောင်းရာတွင်ပစ်မှတ်တည်နေရာလိုအပ်သည် {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,အခွင့်မရှိကြ။ အဆိုပါစမ်းသပ်မှု Template ကို disable ကျေးဇူးပြု. DocType: Sales Invoice,Distance (in km),(ကီလိုမီတာအတွင်း) အဝေးသင် apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,ရာခိုင်နှုန်းဖြန့်ဝေ 100% နဲ့ညီမျှဖြစ်သင့် apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,ပါတီမရွေးခင် Post date ကို select လုပ်ပါကျေးဇူးပြုပြီး @@ -5757,7 +5756,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,စျေးနှုန်း List ကိုချိန်း Rate apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,အားလုံးပေးသွင်းအဖွဲ့များ DocType: Employee Boarding Activity,Required for Employee Creation,ထမ်းဖန်ဆင်းခြင်းများအတွက်လိုအပ်သော -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ပေးသွင်းသူ> ပေးသွင်းသူအမျိုးအစား apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},အကောင့်နံပါတ် {0} ပြီးသားအကောင့် {1} များတွင်အသုံးပြု DocType: GoCardless Mandate,Mandate,လုပ်ပိုင်ခွင့်အာဏာ DocType: Hotel Room Reservation,Booked,ကြိုတင်ဘွတ်ကင် @@ -5823,7 +5821,6 @@ DocType: Production Plan Item,Product Bundle Item,ထုတ်ကုန်ပစ DocType: Sales Partner,Sales Partner Name,အရောင်း Partner အမည် apps/erpnext/erpnext/hooks.py,Request for Quotations,ကိုးကားချက်များတောင်းခံ DocType: Payment Reconciliation,Maximum Invoice Amount,အမြင့်ဆုံးပမာဏပြေစာ -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () အချည်းနှီးသော IBAN ကုဒ်ကိုဘို့ပျက်ကွက် DocType: Normal Test Items,Normal Test Items,ပုံမှန်စမ်းသပ်ပစ္စည်းများ DocType: QuickBooks Migrator,Company Settings,ကုမ္ပဏီက Settings DocType: Additional Salary,Overwrite Salary Structure Amount,လစာဖွဲ့စည်းပုံငွေပမာဏ Overwrite @@ -5977,6 +5974,7 @@ DocType: Issue,Resolution By Variance,ကှဲလှဲခွငျးအား DocType: Leave Allocation,Leave Period,ကာလ Leave DocType: Item,Default Material Request Type,default ပစ္စည်းတောင်းဆိုမှုအမျိုးအစား DocType: Supplier Scorecard,Evaluation Period,အကဲဖြတ်ကာလ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ဖောက်သည်> ဖောက်သည်အုပ်စု> နယ်မြေ apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,အမည်မသိ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,အလုပ်အမိန့်နေသူများကဖန်တီးမပေး apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6342,6 +6340,7 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,serial # DocType: Material Request Plan Item,Required Quantity,လိုအပ်သောပမာဏ DocType: Lab Test Template,Lab Test Template,Lab ကစမ်းသပ် Template ကို apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},စာရင်းကိုင်ကာလ {0} နှင့်ထပ် +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ပေးသွင်းသူ> ပေးသွင်းသူအမျိုးအစား apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,အရောင်းအကောင့် DocType: Purchase Invoice Item,Total Weight,စုစုပေါင်းအလေးချိန် DocType: Pick List Item,Pick List Item,စာရင်း Item Pick @@ -6458,6 +6457,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,တွင်လက်မှတ်ရေးထိုးခဲ့ DocType: Bank Account,Party Type,ပါတီ Type DocType: Discounted Invoice,Discounted Invoice,လျှော့ငွေတောင်းခံလွှာ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,အဖြစ်တက်ရောက်သူမှတ်သားပါ DocType: Payment Schedule,Payment Schedule,ငွေပေးချေမှုရမည့်ဇယား apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ပေးထားသောဝန်ထမ်းလယ်ကွင်းတန်ဖိုးကိုရှာမတွေ့န်ထမ်း။ '' {} ': {} DocType: Item Attribute Value,Abbreviation,အကျဉ်း @@ -6560,7 +6560,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Hold တွင်ခြင DocType: Employee,Personal Email,ပုဂ္ဂိုလ်ရေးအီးမေးလ် apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,စုစုပေါင်းကှဲလှဲ DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","enabled လျှင်, system ကိုအလိုအလျှောက်စာရင်းသည်စာရင်းကိုင် entries တွေကို post လိမ့်မည်။" -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban ()} မမှန်သော IBAN ကုဒ်ကို {လက်ခံခဲ့သည် apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,brokerage apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,ဝန်ထမ်းများအတွက်တက်ရောက်သူ {0} ပြီးသားဤသည်နေ့ရက်သည်မှတ်သားသည် DocType: Work Order Operation,"in Minutes @@ -6831,6 +6830,7 @@ DocType: Appointment,Customer Details,customer အသေးစိတ်ကို apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS ကို 1099 Form များ Print DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,ပိုင်ဆိုင်မှုကြိုတင်ကာကွယ်ရေးကို Maintenance သို့မဟုတ်စံကိုက်ညှိရန်လိုအပ်ပါသည်ဆိုပါက Check apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,ကုမ္ပဏီအတိုကောက်ထက်ပိုမို 5 ဇာတ်ကောင်ရှိသည်မဟုတ်နိုင်ပါတယ် +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,မိခင်ကုမ္ပဏီသည်အုပ်စုလိုက်ကုမ္ပဏီဖြစ်ရမည် DocType: Employee,Reports to,အစီရင်ခံစာများမှ ,Unpaid Expense Claim,မရတဲ့သုံးစွဲမှုဆိုနေ DocType: Payment Entry,Paid Amount,Paid ငွေပမာဏ @@ -6920,6 +6920,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp အရေအတွက် apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,စမ်းသပ်ကာလကို Start နေ့စွဲနှင့်စမ်းသပ်ကာလပြီးဆုံးရက်စွဲကိုသတ်မှတ်ရမည်ဖြစ်သည်နှစ်ဦးစလုံး apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,ပျမ်းမျှနှုန်း +DocType: Appointment,Appointment With,ရက်ချိန်းယူ apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ငွေပေးချေမှုရမည့်ဇယားများတွင်စုစုပေါင်းငွေပေးချေမှုရမည့်ငွေပမာဏက Grand / Rounded စုစုပေါင်းညီမျှရှိရမည် apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","ဖောက်သည်ပေး Item" အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်နှုန်းရှိသည်မဟုတ်နိုင်ပါတယ် DocType: Subscription Plan Detail,Plan,စီမံကိန်း @@ -7053,7 +7054,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / ခဲ% DocType: Bank Guarantee,Bank Account Info,ဘဏ်အကောင့်အင်ဖို DocType: Bank Guarantee,Bank Guarantee Type,ဘဏ်အာမခံအမျိုးအစား -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban ()} ခိုင်လုံသော IBAN ကုဒ်ကို {ဘို့ပျက်ကွက် DocType: Payment Schedule,Invoice Portion,ငွေတောင်းခံလွှာသောအဘို့ကို ,Asset Depreciations and Balances,ပိုင်ဆိုင်မှုတန်ဖိုးနှင့် Balance apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},ငွေပမာဏ {0} {1} {3} မှ {2} ကနေလွှဲပြောင်း @@ -7097,6 +7097,8 @@ DocType: Service Day,Workday,လုပ်အားခ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,လျှောက်လွှာမော်ဂျူးများအနည်းဆုံးတဦးတည်းကိုရွေးချယ်ရပါမည် apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,ပစ္စည်းအုပ်စု table ထဲမှာကိုတွေ့မိတ္တူပွားကို item အုပ်စု apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,အရည်အသွေးလုပ်ထုံးလုပ်နည်းများ၏သစ်ပင်။ +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",လစာဖွဲ့စည်းပုံပါ ၀ င်သည့် ၀ န်ထမ်းမရှိပါ - {0} ။ လစာဖြတ်ပိုင်းကိုကြည့်ရှုရန် ၀ န်ထမ်းတစ် ဦး ကိုသတ်မှတ်ရန် \ {{1} ကိုသတ်မှတ်ပါ apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,ဒါဟာပစ္စည်း Details ကိုဆွဲယူဖို့လိုသည်။ DocType: Fertilizer,Fertilizer Name,ဓာတ်မြေသြဇာအမည် DocType: Salary Slip,Net Pay,Net က Pay ကို @@ -7721,7 +7723,6 @@ DocType: Dosage Form,Dosage Form,သောက်သုံးသော Form က apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},အဆိုပါကင်ပိန်းအတွက် {0} အဆိုပါကင်ပိန်းဇယားကို set up ကို ကျေးဇူးပြု. apps/erpnext/erpnext/config/buying.py,Price List master.,စျေးနှုန်း List ကိုမာစတာ။ DocType: Task,Review Date,ပြန်လည်ဆန်းစစ်ခြင်းနေ့စွဲ -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,အဖြစ်တက်ရောက်သူမှတ်သားပါ DocType: BOM,Allow Alternative Item,အခြားရွေးချယ်စရာ Item Allow apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,အရစ်ကျငွေလက်ခံပြေစာနမူနာ enabled ဖြစ်ပါတယ်သိမ်းဆည်းထားရသောအဘို့မဆိုပစ္စည်းမရှိပါ။ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ငွေတောင်းခံလွှာက Grand စုစုပေါင်း @@ -7953,7 +7954,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,မက်စ် Retry ကန့်သတ် apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,စျေးနှုန်း List ကိုတွေ့ရှိသို့မဟုတ်မသန်မစွမ်းမဟုတ် DocType: Content Activity,Last Activity ,နောက်ဆုံးလုပ်ဆောင်ချက် -DocType: Student Applicant,Approved,Approved DocType: Pricing Rule,Price,စျေးနှုန်း apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} '' လက်ဝဲ 'အဖြစ်သတ်မှတ်ရမည်အပေါ်စိတ်သက်သာရာန်ထမ်း DocType: Guardian,Guardian,ဂေါကလူကြီး @@ -8125,6 +8125,7 @@ DocType: Taxable Salary Slab,Percent Deduction,ရာခိုင်နှုန DocType: GL Entry,To Rename,Rename မှ DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Serial Number ကိုထည့်သွင်းဖို့ရွေးချယ်ပါ။ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ကျေးဇူးပြုပြီးပညာရေး> ပညာရေးချိန်ညှိချက်များတွင်နည်းပြအမည်ပေးခြင်းစနစ်ကိုထည့်သွင်းပါ apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s','% s' ကိုဖောက်သည်များအတွက်ဘဏ္ဍာရေး Code ကိုသတ်မှတ်ပေးပါ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,ကုမ္ပဏီပထမဦးဆုံးကိုရွေးပါ ကျေးဇူးပြု. DocType: Item Attribute,Numeric Values,numeric တန်ဖိုးများ @@ -8141,6 +8142,7 @@ DocType: Salary Detail,Additional Amount,အပိုဆောင်းငွေ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,လှည်း Empty ဖြစ်ပါသည် apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No","item {0} မရှိ, Serial နံပါတ်သာလျှင်ပစ္စည်းများကို serilialized ထားပါတယ် \ Serial အဘယ်သူမျှမပေါ်တွင် အခြေခံ. ပေးအပ်ခြင်းရှိနိုင်ပါသည်" +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,တန်ဖိုးပမာဏ DocType: Vehicle,Model,ပုံစံ DocType: Work Order,Actual Operating Cost,အမှန်တကယ် Operating ကုန်ကျစရိတ် DocType: Payment Entry,Cheque/Reference No,Cheque တစ်စောင်လျှင် / ကိုးကားစရာအဘယ်သူမျှမ diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv index 8e70d3dae7..1b2f08b9f3 100644 --- a/erpnext/translations/nl.csv +++ b/erpnext/translations/nl.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Standaard belastingvrijste DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nieuwe wisselkoers apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Munt is nodig voor prijslijst {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Zal worden berekend in de transactie. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Stel het naamgevingssysteem voor werknemers in via Human Resource> HR-instellingen DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Contactpersoon Klant DocType: Shift Type,Enable Auto Attendance,Automatische aanwezigheid inschakelen @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Alle Leverancier Contact DocType: Support Settings,Support Settings,ondersteuning Instellingen apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Account {0} is toegevoegd in het onderliggende bedrijf {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Ongeldige inloggegevens +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Markeer werk vanuit huis apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC beschikbaar (al dan niet volledig) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS-instellingen apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Vouchers verwerken @@ -409,7 +409,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Artikel Belasti apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Lidmaatschap details apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Leverancier is vereist tegen Te Betalen account {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Artikelen en prijzen -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klant> Klantengroep> Gebied apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Totaal aantal uren: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Van Datum moet binnen het boekjaar zijn. Er vanuit gaande dat Van Datum {0} is DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -456,7 +455,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Geselecteerde optie DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Betalingsomschrijving -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series in op {0} via Setup> Instellingen> Naming Series apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,onvoldoende Stock DocType: Email Digest,New Sales Orders,Nieuwe Verkooporders DocType: Bank Account,Bank Account,Bankrekening @@ -776,6 +774,7 @@ DocType: Request for Quotation,Request for Quotation,Offerte DocType: Healthcare Settings,Require Lab Test Approval,Vereist laboratoriumtest goedkeuring DocType: Attendance,Working Hours,Werkuren apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Totaal uitstekend +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-conversiefactor ({0} -> {1}) niet gevonden voor item: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Wijzig het start-/ huidige volgnummer van een bestaande serie. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Percentage dat u meer mag factureren tegen het bestelde bedrag. Bijvoorbeeld: als de bestelwaarde $ 100 is voor een artikel en de tolerantie is ingesteld op 10%, mag u $ 110 factureren." DocType: Dosage Strength,Strength,Kracht @@ -1270,7 +1269,6 @@ DocType: Timesheet,Total Billed Hours,Totaal gefactureerd Hours DocType: Pricing Rule Item Group,Pricing Rule Item Group,Prijsregel artikelgroep DocType: Travel Itinerary,Travel To,Reizen naar apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Koers herwaarderingsmeester. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel nummeringseries in voor Aanwezigheid via Setup> Nummeringsseries apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Afschrijvingsbedrag DocType: Leave Block List Allow,Allow User,Door gebruiker toestaan DocType: Journal Entry,Bill No,Factuur nr @@ -1644,6 +1642,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Incentives apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Niet synchroon apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Verschilwaarde +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel nummeringseries in voor Aanwezigheid via Setup> Nummeringsseries DocType: SMS Log,Requested Numbers,Gevraagde Numbers DocType: Volunteer,Evening,Avond DocType: Quiz,Quiz Configuration,Quiz configuratie @@ -1811,6 +1810,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Van plaat DocType: Student Admission,Publish on website,Publiceren op de website apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Leverancier Factuurdatum kan niet groter zijn dan Posting Date DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgroep> Merk DocType: Subscription,Cancelation Date,Annuleringsdatum DocType: Purchase Invoice Item,Purchase Order Item,Inkooporder Artikel DocType: Agriculture Task,Agriculture Task,Landbouwtaak @@ -2417,7 +2417,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Productkortingsplaten DocType: Target Detail,Target Distribution,Doel Distributie DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalisatie van voorlopige beoordeling apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Partijen en adressen importeren -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-conversiefactor ({0} -> {1}) niet gevonden voor item: {2} DocType: Salary Slip,Bank Account No.,Bankrekeningnummer DocType: Naming Series,This is the number of the last created transaction with this prefix,Dit is het nummer van de laatst gemaakte transactie met dit voorvoegsel DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2811,6 +2810,9 @@ DocType: Company,Default Holiday List,Standaard Vakantiedagen Lijst DocType: Pricing Rule,Supplier Group,Leveranciersgroep apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Samenvatting apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Rij {0}: Van tijd en de tijd van de {1} overlapt met {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",Er bestaat al een stuklijst met naam {0} voor item {1}.
Heb je het item hernoemd? Neem contact op met de beheerder / technische ondersteuning apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Voorraad Verplichtingen DocType: Purchase Invoice,Supplier Warehouse,Leverancier Magazijn DocType: Opportunity,Contact Mobile No,Contact Mobiele nummer @@ -3259,6 +3261,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Kwaliteit vergadertafel apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Bezoek de forums +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Kan taak {0} niet voltooien omdat de afhankelijke taak {1} niet is voltooid / geannuleerd. DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,Heeft Varianten DocType: Employee Benefit Claim,Claim Benefit For,Claim voordeel voor @@ -3420,7 +3423,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Totaal Billing Bedrag (via U apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Creëer een vergoedingsschema apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Terugkerende klanten Opbrengsten DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Stel het instructeursysteem in onder onderwijs> onderwijsinstellingen DocType: Quiz,Enter 0 to waive limit,Voer 0 in om afstand te doen DocType: Bank Statement Settings,Mapped Items,Toegewezen items DocType: Amazon MWS Settings,IT,HET @@ -3454,7 +3456,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Er zijn onvoldoende activa gemaakt of gekoppeld aan {0}. \ Maak of koppel {1} Activa met het respectieve document. DocType: Pricing Rule,Apply Rule On Brand,Regel op merk toepassen DocType: Task,Actual End Date (via Time Sheet),Werkelijke Einddatum (via Urenregistratie) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Kan taak {0} niet sluiten omdat de afhankelijke taak {1} niet is gesloten. DocType: Soil Texture,Soil Type,Grondsoort apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Bedrag {0} {1} tegen {2} {3} ,Quotation Trends,Offerte Trends @@ -3484,6 +3485,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Zelfrijdend voertuig DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Leverancier Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Rij {0}: Bill of Materials niet gevonden voor het artikel {1} DocType: Contract Fulfilment Checklist,Requirement,eis +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Stel het naamgevingssysteem voor werknemers in via Human Resource> HR-instellingen DocType: Journal Entry,Accounts Receivable,Debiteuren DocType: Quality Goal,Objectives,Doelen DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Rol toegestaan om backdated verloftoepassing te maken @@ -3625,6 +3627,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Toegepast apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Details van uitgaande leveringen en binnenkomende leveringen die kunnen worden teruggeboekt apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Heropenen +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Niet toegestaan. Schakel de Lab Test Template uit DocType: Sales Invoice Item,Qty as per Stock UOM,Aantal per Voorraad eenheid apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Naam apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3683,6 +3686,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Soort bedrijf DocType: Sales Invoice,Consumer,Klant apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Selecteer toegewezen bedrag, Factuur Type en factuurnummer in tenminste één rij" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series in op {0} via Setup> Instellingen> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kosten van nieuwe aankoop apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Verkooporder nodig voor Artikel {0} DocType: Grant Application,Grant Description,Grant Description @@ -3709,7 +3713,6 @@ DocType: Payment Request,Transaction Details,transactie details apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,Klik op 'Genereer Planning' om planning te krijgen DocType: Item,"Purchase, Replenishment Details","Aankoop, aanvulgegevens" DocType: Products Settings,Enable Field Filters,Veldfilters inschakelen -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgroep> Merk apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also",Door klant toegevoegd artikel kan niet tegelijkertijd een koopartikel zijn DocType: Blanket Order Item,Ordered Quantity,Bestelde hoeveelheid apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","bijv. ""Bouwgereedschap voor bouwers """ @@ -4181,7 +4184,7 @@ DocType: BOM,Operating Cost (Company Currency),Bedrijfskosten (Company Munt) DocType: Authorization Rule,Applicable To (Role),Van toepassing zijn op (Rol) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,In afwachting van bladeren DocType: BOM Update Tool,Replace BOM,Vervang BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Code {0} bestaat al +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Code {0} bestaat al DocType: Patient Encounter,Procedures,Procedures apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Verkooporders zijn niet beschikbaar voor productie DocType: Asset Movement,Purpose,Doel @@ -4298,6 +4301,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Negeer overlap tussen we DocType: Warranty Claim,Service Address,Service Adres apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Stamgegevens importeren DocType: Asset Maintenance Task,Calibration,ijking +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Labtestitem {0} bestaat al apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} is een bedrijfsvakantie apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Factureerbare uren apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Laat statusmelding achter @@ -4662,7 +4666,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,salaris Register DocType: Company,Default warehouse for Sales Return,Standaard magazijn voor verkoopretour DocType: Pick List,Parent Warehouse,Parent Warehouse -DocType: Subscription,Net Total,Netto Totaal +DocType: C-Form Invoice Detail,Net Total,Netto Totaal apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Stel de houdbaarheid van het artikel in dagen in, om de vervaldatum in te stellen op basis van productiedatum plus houdbaarheid." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Standaard BOM niet gevonden voor Item {0} en Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rij {0}: stel de Betalingswijze in Betalingsschema in @@ -4777,7 +4781,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Doel magazijn is verplicht voor rij {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Retailactiviteiten DocType: Cheque Print Template,Primary Settings,Primaire Instellingen -DocType: Attendance Request,Work From Home,Werk vanuit huis +DocType: Attendance,Work From Home,Werk vanuit huis DocType: Purchase Invoice,Select Supplier Address,Select Leverancier Adres apps/erpnext/erpnext/public/js/event.js,Add Employees,Werknemers toevoegen DocType: Purchase Invoice Item,Quality Inspection,Kwaliteitscontrole @@ -5021,8 +5025,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,Autorisatie-URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Bedrag {0} {1} {2} {3} DocType: Account,Depreciation,Afschrijvingskosten -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Verwijder de werknemer {0} \ om dit document te annuleren" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Het aantal aandelen en de aandelenaantallen zijn inconsistent apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Leverancier(s) DocType: Employee Attendance Tool,Employee Attendance Tool,Employee Attendance Tool @@ -5331,7 +5333,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Criteria voor plantanal DocType: Cheque Print Template,Cheque Height,Cheque Hoogte DocType: Supplier,Supplier Details,Leverancier Details DocType: Setup Progress,Setup Progress,Setup Progress -DocType: Expense Claim,Approval Status,Goedkeuringsstatus apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Van waarde moet minder zijn dan waarde in rij {0} DocType: Program,Intro Video,Introductievideo DocType: Manufacturing Settings,Default Warehouses for Production,Standaard magazijnen voor productie @@ -5675,7 +5676,6 @@ DocType: Purchase Invoice,Rounded Total,Afgerond Totaal apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots voor {0} worden niet toegevoegd aan het schema DocType: Product Bundle,List items that form the package.,Lijst items die het pakket vormen. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Doellocatie is vereist tijdens het overbrengen van activa {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Niet toegestaan. Schakel de testsjabloon uit DocType: Sales Invoice,Distance (in km),Afstand (in km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Percentage toewijzing moet gelijk zijn aan 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Selecteer Boekingsdatum voordat Party selecteren @@ -5806,7 +5806,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Prijslijst Wisselkoers apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Alle leveranciersgroepen DocType: Employee Boarding Activity,Required for Employee Creation,Vereist voor het maken van werknemers -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverancier> Type leverancier apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Accountnummer {0} al gebruikt in account {1} DocType: GoCardless Mandate,Mandate,Mandaat DocType: Hotel Room Reservation,Booked,geboekt @@ -5872,7 +5871,6 @@ DocType: Production Plan Item,Product Bundle Item,Product Bundle Item DocType: Sales Partner,Sales Partner Name,Verkoop Partner Naam apps/erpnext/erpnext/hooks.py,Request for Quotations,Verzoek om Offertes DocType: Payment Reconciliation,Maximum Invoice Amount,Maximumfactuur Bedrag -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () mislukt voor lege IBAN DocType: Normal Test Items,Normal Test Items,Normale Test Items DocType: QuickBooks Migrator,Company Settings,Bedrijfsinstellingen DocType: Additional Salary,Overwrite Salary Structure Amount,Overschrijf salarisstructuurbedrag @@ -6026,6 +6024,7 @@ DocType: Issue,Resolution By Variance,Resolutie door variantie DocType: Leave Allocation,Leave Period,Verlofperiode DocType: Item,Default Material Request Type,Standaard Materiaal Request Type DocType: Supplier Scorecard,Evaluation Period,Evaluatie periode +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klant> Klantengroep> Gebied apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Onbekend apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Werkorder niet gemaakt apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6391,8 +6390,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Benodigde hoeveelheid DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Boekhoudperiode overlapt met {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverancier> Type leverancier apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Verkoopaccount DocType: Purchase Invoice Item,Total Weight,Totale gewicht +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Verwijder de werknemer {0} \ om dit document te annuleren" DocType: Pick List Item,Pick List Item,Keuzelijstitem apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Commissie op de verkoop DocType: Job Offer Term,Value / Description,Waarde / Beschrijving @@ -6507,6 +6509,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Aangemeld DocType: Bank Account,Party Type,partij Type DocType: Discounted Invoice,Discounted Invoice,Korting op factuur +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Markeer aanwezigheid als DocType: Payment Schedule,Payment Schedule,Betalingsschema apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Geen medewerker gevonden voor de gegeven veldwaarde voor de medewerker. '{}': {} DocType: Item Attribute Value,Abbreviation,Afkorting @@ -6609,7 +6612,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Reden om in de wacht te zet DocType: Employee,Personal Email,Persoonlijke e-mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Total Variance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Indien aangevinkt, zal het systeem voorraadboekingen automatisch plaatsen." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () geaccepteerd ongeldige IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,makelaardij apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Attendance voor personeelsbeloningen {0} is al gemarkeerd voor deze dag DocType: Work Order Operation,"in Minutes @@ -6881,6 +6883,7 @@ DocType: Appointment,Customer Details,Klant Details apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Formulieren IRS 1099 afdrukken DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Controleer of Activum preventief onderhoud of kalibratie vereist apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Bedrijfsbegeleiding mag niet meer dan 5 tekens bevatten +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Moederbedrijf moet een groepsmaatschappij zijn DocType: Employee,Reports to,Rapporteert aan ,Unpaid Expense Claim,Onbetaalde Onkostenvergoeding DocType: Payment Entry,Paid Amount,Betaald Bedrag @@ -6968,6 +6971,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Zowel de startdatum van de proefperiode als de einddatum van de proefperiode moeten worden ingesteld apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Gemiddelde score +DocType: Appointment,Appointment With,Afspraak met apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Het totale betalingsbedrag in het betalingsschema moet gelijk zijn aan het groot / afgerond totaal apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",'Door de klant verstrekt artikel' kan geen waarderingspercentage hebben DocType: Subscription Plan Detail,Plan,Plan @@ -7100,7 +7104,6 @@ DocType: Customer,Customer Primary Contact,Hoofdcontactpersoon klant apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Bankrekeninggegevens DocType: Bank Guarantee,Bank Guarantee Type,Type bankgarantie -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () mislukt voor geldige IBAN {} DocType: Payment Schedule,Invoice Portion,Factuurgedeelte ,Asset Depreciations and Balances,Asset Afschrijvingen en Weegschalen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Bedrag {0} {1} overgebracht van {2} naar {3} @@ -7769,7 +7772,6 @@ DocType: Dosage Form,Dosage Form,Doseringsformulier apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Stel het campagneschema in de campagne {0} in apps/erpnext/erpnext/config/buying.py,Price List master.,Prijslijst stam. DocType: Task,Review Date,Herzieningsdatum -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Markeer aanwezigheid als DocType: BOM,Allow Alternative Item,Toestaan alternatief item apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Aankoopbewijs heeft geen artikel waarvoor Voorbeeld behouden is ingeschakeld. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Totaal factuurbedrag @@ -8001,7 +8003,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Max. Herhaalgrens apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Prijslijst niet gevonden of uitgeschakeld DocType: Content Activity,Last Activity ,Laatste Activiteit -DocType: Student Applicant,Approved,Aangenomen DocType: Pricing Rule,Price,prijs apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Werknemer ontslagen op {0} moet worden ingesteld als 'Verlaten' DocType: Guardian,Guardian,Voogd @@ -8173,6 +8174,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Procentaftrek DocType: GL Entry,To Rename,Hernoemen DocType: Stock Entry,Repack,Herverpakken apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Selecteer om serienummer toe te voegen. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Stel het instructeursysteem in onder onderwijs> onderwijsinstellingen apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Stel de fiscale code in voor de% s van de klant apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Selecteer eerst het bedrijf DocType: Item Attribute,Numeric Values,Numerieke waarden @@ -8189,6 +8191,7 @@ DocType: Salary Detail,Additional Amount,Extra bedrag apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Winkelwagen is leeg apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Artikel {0} heeft geen serienummer. Alleen serilialized items kunnen levering hebben op basis van serienr +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Afgeschreven bedrag DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Werkelijke operationele kosten DocType: Payment Entry,Cheque/Reference No,Cheque / Reference No diff --git a/erpnext/translations/no.csv b/erpnext/translations/no.csv index b2249ef161..e6f3e435d3 100644 --- a/erpnext/translations/no.csv +++ b/erpnext/translations/no.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Standard skattefritak bel DocType: Exchange Rate Revaluation Account,New Exchange Rate,Ny valutakurs apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Valuta er nødvendig for Prisliste {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Vil bli beregnet i transaksjonen. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Oppsett medarbeidersamlingssystem i menneskelige ressurser> HR-innstillinger DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Kundekontakt DocType: Shift Type,Enable Auto Attendance,Aktiver automatisk deltakelse @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,All Leverandør Kontakt DocType: Support Settings,Support Settings,støtte~~POS=TRUNC Innstillinger apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Konto {0} legges til i barneselskapet {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Ugyldige legitimasjon +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Merk arbeid hjemmefra apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC tilgjengelig (om fullstendig del) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Innstillinger apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Behandler bilag @@ -409,7 +409,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Vare skattebel apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Medlemskapsdetaljer apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Leverandør er nødvendig mot Betales konto {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Elementer og priser -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Antall timer: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Fra dato bør være innenfor regnskapsåret. Antar Fra Date = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -456,7 +455,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Valgt alternativ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Betalingsbeskrivelse -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Angi Naming Series for {0} via Setup> Settings> Naming Series apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,utilstrekkelig Stock DocType: Email Digest,New Sales Orders,Nye salgsordrer DocType: Bank Account,Bank Account,Bankkonto @@ -778,6 +776,7 @@ DocType: Request for Quotation,Request for Quotation,Forespørsel om kostnadsove DocType: Healthcare Settings,Require Lab Test Approval,Krever godkjenning av laboratorietest DocType: Attendance,Working Hours,Arbeidstid apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Totalt Utestående +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverteringsfaktor ({0} -> {1}) ikke funnet for varen: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Endre start / strøm sekvensnummer av en eksisterende serie. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Prosentvis har du lov til å fakturere mer mot det bestilte beløpet. For eksempel: Hvis ordreverdien er $ 100 for en vare og toleransen er satt til 10%, har du lov til å fakturere $ 110." DocType: Dosage Strength,Strength,Styrke @@ -1272,7 +1271,6 @@ DocType: Timesheet,Total Billed Hours,Totalt fakturert timer DocType: Pricing Rule Item Group,Pricing Rule Item Group,Prissett regelgruppe DocType: Travel Itinerary,Travel To,Reise til apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Valutakursvurderingsmester. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Angi nummereringsserier for Oppmøte via Oppsett> Nummereringsserier apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Skriv Off Beløp DocType: Leave Block List Allow,Allow User,Tillat User DocType: Journal Entry,Bill No,Bill Nei @@ -1629,6 +1627,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Motivasjon apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Verdier utenfor synkronisering apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Forskjell Verdi +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Angi nummereringsserier for Oppmøte via Oppsett> Nummereringsserier DocType: SMS Log,Requested Numbers,Etterspør Numbers DocType: Volunteer,Evening,Kveld DocType: Quiz,Quiz Configuration,Quiz-konfigurasjon @@ -1796,6 +1795,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Fra Sted DocType: Student Admission,Publish on website,Publiser på nettstedet apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Leverandør Fakturadato kan ikke være større enn konteringsdato DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varekode> Varegruppe> Merke DocType: Subscription,Cancelation Date,Avbestillingsdato DocType: Purchase Invoice Item,Purchase Order Item,Innkjøpsordre Element DocType: Agriculture Task,Agriculture Task,Landbruk Oppgave @@ -2404,7 +2404,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Produktrabattplater DocType: Target Detail,Target Distribution,Target Distribution DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalisering av foreløpig vurdering apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importere parter og adresser -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverteringsfaktor ({0} -> {1}) ikke funnet for varen: {2} DocType: Salary Slip,Bank Account No.,Bank Account No. DocType: Naming Series,This is the number of the last created transaction with this prefix,Dette er nummeret på den siste laget transaksjonen med dette prefikset DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2798,6 +2797,9 @@ DocType: Company,Default Holiday List,Standard Holiday List DocType: Pricing Rule,Supplier Group,Leverandørgruppe apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Fordel apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Rad {0}: Fra tid og klokkeslett {1} er overlappende med {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",En BOM med navn {0} eksisterer allerede for varen {1}.
Har du gitt nytt navn til varen? Kontakt administrator / teknisk support apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Aksje Gjeld DocType: Purchase Invoice,Supplier Warehouse,Leverandør Warehouse DocType: Opportunity,Contact Mobile No,Kontakt Mobile No @@ -3242,6 +3244,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Møtebord av kvalitet apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Besøk forumene +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Kan ikke fullføre oppgaven {0} da den avhengige oppgaven {1} ikke er komplettert / kansellert. DocType: Student,Student Mobile Number,Student Mobilnummer DocType: Item,Has Variants,Har Varianter DocType: Employee Benefit Claim,Claim Benefit For,Krav til fordel for @@ -3403,7 +3406,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Total Billing Beløp (via Ti apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Lag avgiftsplan apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Gjenta kunden Revenue DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vennligst konfigurer Instruktør Namning System i Utdanning> Utdanningsinnstillinger DocType: Quiz,Enter 0 to waive limit,Skriv inn 0 for å frafalle grense DocType: Bank Statement Settings,Mapped Items,Mappede elementer DocType: Amazon MWS Settings,IT,DEN @@ -3437,7 +3439,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Det er ikke nok ressurser opprettet eller koblet til {0}. \ Vennligst opprett eller lenke {1} Eiendeler med respektive dokument. DocType: Pricing Rule,Apply Rule On Brand,Bruk regel på merke DocType: Task,Actual End Date (via Time Sheet),Faktisk Sluttdato (via Timeregistrering) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Kan ikke lukke oppgaven {0} da den avhengige oppgaven {1} ikke er lukket. DocType: Soil Texture,Soil Type,Jordtype apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Mengden {0} {1} mot {2} {3} ,Quotation Trends,Anførsels Trender @@ -3467,6 +3468,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Selvkjørende kjøretøy DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Leverandør Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},P {0}: stykk ikke funnet med Element {1} DocType: Contract Fulfilment Checklist,Requirement,Krav +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Sett inn ansattes navnsystem i menneskelige ressurser> HR-innstillinger DocType: Journal Entry,Accounts Receivable,Kundefordringer DocType: Quality Goal,Objectives,Mål DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Roll tillatt for å opprette backdated permisjon søknad @@ -3608,6 +3610,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Tatt i bruk apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Detaljer om levering og levering av varer som kan tilbakeføres apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re-open +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Ikke tillatt. Deaktiver Lab Test Test Mal DocType: Sales Invoice Item,Qty as per Stock UOM,Antall pr Stock målenheter apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Name apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3667,6 +3670,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Type virksomhet DocType: Sales Invoice,Consumer,forbruker~~POS=TRUNC apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vennligst velg avsatt beløp, fakturatype og fakturanummer i minst én rad" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Angi Naming Series for {0} via Setup> Settings> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kostnad for nye kjøp apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Salgsordre kreves for Element {0} DocType: Grant Application,Grant Description,Grant Beskrivelse @@ -3693,7 +3697,6 @@ DocType: Payment Request,Transaction Details,Transaksjonsdetaljer apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,Vennligst klikk på "Generer Schedule 'for å få timeplanen DocType: Item,"Purchase, Replenishment Details","Informasjon om kjøp, påfyll" DocType: Products Settings,Enable Field Filters,Aktiver feltfiltre -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varekode> Varegruppe> Merke apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","Kundeleveret vare" kan ikke være kjøpsvarer også DocType: Blanket Order Item,Ordered Quantity,Bestilte Antall apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",f.eks "Bygg verktøy for utbyggere" @@ -4165,7 +4168,7 @@ DocType: BOM,Operating Cost (Company Currency),Driftskostnader (Selskap Valuta) DocType: Authorization Rule,Applicable To (Role),Gjelder til (Role) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Venter på bladene DocType: BOM Update Tool,Replace BOM,Erstatt BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kode {0} finnes allerede +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kode {0} finnes allerede DocType: Patient Encounter,Procedures,prosedyrer apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Salgsordrer er ikke tilgjengelige for produksjon DocType: Asset Movement,Purpose,Formålet @@ -4262,6 +4265,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Ignorer arbeidstakertido DocType: Warranty Claim,Service Address,Tjenesten Adresse apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importer stamdata DocType: Asset Maintenance Task,Calibration,kalibrering +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Lab-testelement {0} eksisterer allerede apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} er en firmas ferie apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Fakturerbare timer apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Oppgi statusmelding @@ -4615,7 +4619,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,lønn Register DocType: Company,Default warehouse for Sales Return,Standard lager for salgsavkastning DocType: Pick List,Parent Warehouse,Parent Warehouse -DocType: Subscription,Net Total,Net Total +DocType: C-Form Invoice Detail,Net Total,Net Total apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Angi varens holdbarhet i dager for å angi utløp basert på produksjonsdato pluss holdbarhet. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Standard BOM ikke funnet for element {0} og prosjekt {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rad {0}: Angi betalingsmåte i betalingsplanen @@ -4730,7 +4734,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target lageret er obligatorisk for rad {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Detaljhandel DocType: Cheque Print Template,Primary Settings,primære Innstillinger -DocType: Attendance Request,Work From Home,Jobbe hjemmefra +DocType: Attendance,Work From Home,Jobbe hjemmefra DocType: Purchase Invoice,Select Supplier Address,Velg Leverandør Adresse apps/erpnext/erpnext/public/js/event.js,Add Employees,Legg Medarbeidere DocType: Purchase Invoice Item,Quality Inspection,Quality Inspection @@ -4974,8 +4978,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,Autorisasjonsadresse apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Mengden {0} {1} {2} {3} DocType: Account,Depreciation,Avskrivninger -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Slett ansatt {0} \ for å avbryte dette dokumentet" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Antall aksjer og aksjenumrene er inkonsekvente apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Leverandør (er) DocType: Employee Attendance Tool,Employee Attendance Tool,Employee Oppmøte Tool @@ -5283,7 +5285,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Plantanalyse Kriterier DocType: Cheque Print Template,Cheque Height,sjekk Høyde DocType: Supplier,Supplier Details,Leverandør Detaljer DocType: Setup Progress,Setup Progress,Oppsett Progress -DocType: Expense Claim,Approval Status,Godkjenningsstatus apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Fra verdien må være mindre enn til verdien i rad {0} DocType: Program,Intro Video,Introduksjonsvideo DocType: Manufacturing Settings,Default Warehouses for Production,Standard lager for produksjon @@ -5627,7 +5628,6 @@ DocType: Purchase Invoice,Rounded Total,Avrundet Total apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots for {0} legges ikke til i timeplanen DocType: Product Bundle,List items that form the package.,Listeelementer som danner pakken. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Målplassering er nødvendig ved overføring av aktiva {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Ikke tillatt. Vennligst deaktiver testmalen DocType: Sales Invoice,Distance (in km),Avstand (i km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Prosentvis Tildeling skal være lik 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Vennligst velg Publiseringsdato før du velger Partiet @@ -5758,7 +5758,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Prisliste Exchange Rate apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Alle leverandørgrupper DocType: Employee Boarding Activity,Required for Employee Creation,Kreves for ansettelsesskaping -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandørtype apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Kontonummer {0} som allerede er brukt i konto {1} DocType: GoCardless Mandate,Mandate,mandat DocType: Hotel Room Reservation,Booked,bestilt @@ -5824,7 +5823,6 @@ DocType: Production Plan Item,Product Bundle Item,Produktet Bundle Element DocType: Sales Partner,Sales Partner Name,Sales Partner Name apps/erpnext/erpnext/hooks.py,Request for Quotations,Forespørsel om Sitater DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimal Fakturert beløp -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () mislyktes for tom IBAN DocType: Normal Test Items,Normal Test Items,Normale testelementer DocType: QuickBooks Migrator,Company Settings,Firmainnstillinger DocType: Additional Salary,Overwrite Salary Structure Amount,Overskrive lønnsstrukturbeløp @@ -5978,6 +5976,7 @@ DocType: Issue,Resolution By Variance,Oppløsning etter variant DocType: Leave Allocation,Leave Period,Permisjonstid DocType: Item,Default Material Request Type,Standard Material Request Type DocType: Supplier Scorecard,Evaluation Period,Evalueringsperiode +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Ukjent apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Arbeidsordre er ikke opprettet apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6343,8 +6342,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Nødvendig mengde DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Regnskapsperioden overlapper med {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandørtype apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Salgskonto DocType: Purchase Invoice Item,Total Weight,Total vekt +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Slett ansatt {0} \ for å avbryte dette dokumentet" DocType: Pick List Item,Pick List Item,Velg listevare apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Provisjon på salg DocType: Job Offer Term,Value / Description,Verdi / beskrivelse @@ -6459,6 +6461,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Signert på DocType: Bank Account,Party Type,Partiet Type DocType: Discounted Invoice,Discounted Invoice,Rabattert faktura +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Merk oppmøte som DocType: Payment Schedule,Payment Schedule,Nedbetalingsplan apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ingen ansatte funnet for den gitte ansattes feltverdi. '{}': {} DocType: Item Attribute Value,Abbreviation,Forkortelse @@ -6561,7 +6564,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Årsak til å sette på hol DocType: Employee,Personal Email,Personlig e-post apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Total Variance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Hvis aktivert, vil systemet starte regnskapspostene for inventar automatisk." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () godtok ugyldig IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerage apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Oppmøte for arbeidstaker {0} er allerede markert for denne dagen DocType: Work Order Operation,"in Minutes @@ -6831,6 +6833,7 @@ DocType: Appointment,Customer Details,Kunde Detaljer apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Skriv ut IRS 1099 skjemaer DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Sjekk om Asset krever forebyggende vedlikehold eller kalibrering apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Selskapets forkortelse kan ikke inneholde mer enn 5 tegn +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Morselskapet må være et konsernselskap DocType: Employee,Reports to,Rapporter til ,Unpaid Expense Claim,Ubetalte Expense krav DocType: Payment Entry,Paid Amount,Innbetalt beløp @@ -6918,6 +6921,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opptelling apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Begge prøveperiodens startdato og prøveperiodens sluttdato må settes apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Gjennomsnittlig rente +DocType: Appointment,Appointment With,Avtale med apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Totalt betalingsbeløp i betalingsplan må være lik Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Kunden gitt varen" kan ikke ha verdsettelsesgrad DocType: Subscription Plan Detail,Plan,Plan @@ -7050,7 +7054,6 @@ DocType: Customer,Customer Primary Contact,Kundens primære kontakt apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Bankkontoinformasjon DocType: Bank Guarantee,Bank Guarantee Type,Bankgaranti Type -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () mislyktes for gyldig IBAN {} DocType: Payment Schedule,Invoice Portion,Fakturaandel ,Asset Depreciations and Balances,Asset Avskrivninger og Balanserer apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Mengden {0} {1} overført fra {2} til {3} @@ -7718,7 +7721,6 @@ DocType: Dosage Form,Dosage Form,Doseringsform apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Sett opp kampanjeplanen i kampanjen {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Prisliste mester. DocType: Task,Review Date,Omtale Dato -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Merk oppmøte som DocType: BOM,Allow Alternative Item,Tillat alternativ gjenstand apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Innkjøpskvittering har ingen varer som beholder prøve er aktivert for. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktura Grand Total @@ -7950,7 +7952,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Maks. Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Prisliste ikke funnet eller deaktivert DocType: Content Activity,Last Activity ,Siste aktivitet -DocType: Student Applicant,Approved,Godkjent DocType: Pricing Rule,Price,Pris apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Ansatt lettet på {0} må være angitt som "venstre" DocType: Guardian,Guardian,Guardian @@ -8122,6 +8123,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Prosent avdrag DocType: GL Entry,To Rename,Å gi nytt navn DocType: Stock Entry,Repack,Pakk apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Velg å legge til serienummer. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vennligst konfigurer Instruktør Namning System i Utdanning> Utdanningsinnstillinger apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Angi fiskal kode for kunden '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Vennligst velg selskapet først DocType: Item Attribute,Numeric Values,Numeriske verdier @@ -8138,6 +8140,7 @@ DocType: Salary Detail,Additional Amount,Tilleggsbeløp apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Handlevognen er tom apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Vare {0} har ingen serienummer. Kun seriliserte artikler \ kan ha levering basert på serienummer +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Avskrevet beløp DocType: Vehicle,Model,Modell DocType: Work Order,Actual Operating Cost,Faktiske driftskostnader DocType: Payment Entry,Cheque/Reference No,Sjekk / referansenummer diff --git a/erpnext/translations/pl.csv b/erpnext/translations/pl.csv index adf990885f..93ce7a264d 100644 --- a/erpnext/translations/pl.csv +++ b/erpnext/translations/pl.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Kwota zwolnienia z podatku DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nowy kurs wymiany apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Waluta jest wymagana dla Cenniku {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Zostanie policzony dla transakcji. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Skonfiguruj system nazewnictwa pracowników w dziale Zasoby ludzkie> Ustawienia HR DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.RRRR.- DocType: Purchase Order,Customer Contact,Kontakt z klientem DocType: Shift Type,Enable Auto Attendance,Włącz automatyczne uczestnictwo @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Dane wszystkich dostawców DocType: Support Settings,Support Settings,Ustawienia wsparcia apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Konto {0} zostało dodane w firmie podrzędnej {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Nieprawidłowe poświadczenia +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Oznacz pracę z domu apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),Dostępne ITC (czy w pełnej wersji) DocType: Amazon MWS Settings,Amazon MWS Settings,Ustawienia Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Bony przetwarzające @@ -409,7 +409,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Pozycja Kwota p apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Dane dotyczące członkostwa apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Dostawca jest wymagany w odniesieniu do konta z możliwością opłacenia {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Produkty i cennik -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> Grupa klientów> Terytorium apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Całkowita liczba godzin: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},"""Data od"" powinna być w tym roku podatkowym. Przyjmując Datę od = {0}" DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -456,7 +455,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Wybrana opcja DocType: SG Creation Tool Course,SG Creation Tool Course,SG Stworzenie narzędzia golfowe DocType: Bank Statement Transaction Invoice Item,Payment Description,Opis płatności -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ustaw Serie nazw dla {0} poprzez Ustawienia> Ustawienia> Serie nazw apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Niewystarczający zapas DocType: Email Digest,New Sales Orders, DocType: Bank Account,Bank Account,Konto bankowe @@ -778,6 +776,7 @@ DocType: Request for Quotation,Request for Quotation,Zapytanie ofertowe DocType: Healthcare Settings,Require Lab Test Approval,Wymagaj zatwierdzenia testu laboratoryjnego DocType: Attendance,Working Hours,Godziny pracy apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total Outstanding +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Nie znaleziono współczynnika konwersji UOM ({0} -> {1}) dla elementu: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Zmień początkowy / obecny numer seryjny istniejącej serii. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Procent, za który możesz zapłacić więcej w stosunku do zamówionej kwoty. Na przykład: Jeśli wartość zamówienia wynosi 100 USD dla przedmiotu, a tolerancja jest ustawiona na 10%, możesz wystawić rachunek za 110 USD." DocType: Dosage Strength,Strength,Wytrzymałość @@ -1272,7 +1271,6 @@ DocType: Timesheet,Total Billed Hours,Wszystkich Zafakturowane Godziny DocType: Pricing Rule Item Group,Pricing Rule Item Group,Grupa pozycji Reguły cenowe DocType: Travel Itinerary,Travel To,Podróż do apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Mistrz wyceny kursu wymiany. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Skonfiguruj serie numeracji dla frekwencji poprzez Ustawienia> Serie numeracji apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Wartość Odpisu DocType: Leave Block List Allow,Allow User,Zezwól Użytkownikowi DocType: Journal Entry,Bill No,Numer Rachunku @@ -1648,6 +1646,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives, apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Wartości niezsynchronizowane apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Różnica wartości +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Skonfiguruj serie numeracji dla frekwencji poprzez Ustawienia> Serie numeracji DocType: SMS Log,Requested Numbers,Wymagane numery DocType: Volunteer,Evening,Wieczór DocType: Quiz,Quiz Configuration,Konfiguracja quizu @@ -1815,6 +1814,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Z miejsca DocType: Student Admission,Publish on website,Opublikuj na stronie internetowej apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Faktura dostawca Data nie może być większe niż Data publikacji DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod pozycji> Grupa produktów> Marka DocType: Subscription,Cancelation Date,Data Anulowania DocType: Purchase Invoice Item,Purchase Order Item,Przedmiot Zamówienia Kupna DocType: Agriculture Task,Agriculture Task,Zadanie rolnicze @@ -2422,7 +2422,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Płyty z rabatem na produkty DocType: Target Detail,Target Distribution,Dystrybucja docelowa DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalizacja oceny tymczasowej apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importowanie stron i adresów -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Nie znaleziono współczynnika konwersji UOM ({0} -> {1}) dla elementu: {2} DocType: Salary Slip,Bank Account No.,Nr konta bankowego DocType: Naming Series,This is the number of the last created transaction with this prefix,Jest to numer ostatniej transakcji utworzonego z tym prefiksem DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2817,6 +2816,9 @@ DocType: Company,Default Holiday List,Domyślna lista urlopowa DocType: Pricing Rule,Supplier Group,Grupa dostawców apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Streszczenie apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Wiersz {0}: od czasu do czasu i od {1} pokrywa się z {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",LM o nazwie {0} już istnieje dla elementu {1}.
Czy zmieniłeś nazwę przedmiotu? Skontaktuj się z administratorem / pomocą techniczną apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Zadłużenie zapasów DocType: Purchase Invoice,Supplier Warehouse,Magazyn dostawcy DocType: Opportunity,Contact Mobile No,Numer komórkowy kontaktu @@ -3264,6 +3266,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Tabela jakości spotkań apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Odwiedź fora +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Nie można ukończyć zadania {0}, ponieważ jego zależne zadanie {1} nie zostało zakończone / anulowane." DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,Ma Warianty DocType: Employee Benefit Claim,Claim Benefit For,Zasiłek roszczenia dla @@ -3426,7 +3429,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Całkowita kwota płatności apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Utwórz harmonogram opłat apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Powtórz Przychody klienta DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Skonfiguruj system nazewnictwa instruktorów w sekcji Edukacja> Ustawienia edukacji DocType: Quiz,Enter 0 to waive limit,"Wprowadź 0, aby zrezygnować z limitu" DocType: Bank Statement Settings,Mapped Items,Zmapowane elementy DocType: Amazon MWS Settings,IT,TO @@ -3460,7 +3462,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Nie ma wystarczającej liczby zasobów utworzonych lub powiązanych z {0}. \ Utwórz lub połącz {1} Zasoby z odpowiednim dokumentem. DocType: Pricing Rule,Apply Rule On Brand,Zastosuj regułę do marki DocType: Task,Actual End Date (via Time Sheet),Faktyczna data zakończenia (przez czas arkuszu) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Nie można zamknąć zadania {0}, ponieważ jego zadanie zależne {1} nie jest zamknięte." DocType: Soil Texture,Soil Type,Typ gleby apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Kwota {0} {1} przeciwko {2} {3} ,Quotation Trends,Trendy Wyceny @@ -3490,6 +3491,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Samochód osobowy DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Dostawca Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Wiersz {0}: Bill of Materials nie znaleziono Item {1} DocType: Contract Fulfilment Checklist,Requirement,Wymaganie +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Skonfiguruj system nazewnictwa pracowników w dziale Zasoby ludzkie> Ustawienia HR DocType: Journal Entry,Accounts Receivable,Należności DocType: Quality Goal,Objectives,Cele DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Rola dozwolona do utworzenia aplikacji urlopowej z datą wsteczną @@ -3631,6 +3633,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Stosowany apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Szczegóły dotyczące dostaw zewnętrznych i dostaw wewnętrznych podlegających zwrotnemu obciążeniu apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Otwórz ponownie +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Nie dozwolone. Wyłącz szablon testu laboratoryjnego DocType: Sales Invoice Item,Qty as per Stock UOM,Ilość wg. Jednostki Miary apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nazwa Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Firma główna @@ -3690,6 +3693,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Rodzaj biznesu DocType: Sales Invoice,Consumer,Konsument apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Proszę wybrać Przyznana kwota, faktury i faktury Rodzaj numer w conajmniej jednym rzędzie" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ustaw Serie nazw dla {0} poprzez Ustawienia> Ustawienia> Serie nazw apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Koszt zakupu nowego apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Zlecenie Sprzedaży jest wymagane dla Elementu {0} DocType: Grant Application,Grant Description,Opis dotacji @@ -3716,7 +3720,6 @@ DocType: Payment Request,Transaction Details,szczegóły transakcji apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"Kliknij na ""Generuj Harmonogram"" aby otrzymać harmonogram" DocType: Item,"Purchase, Replenishment Details","Zakup, szczegóły uzupełnienia" DocType: Products Settings,Enable Field Filters,Włącz filtry pola -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod pozycji> Grupa produktów> Marka apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","""Element dostarczony przez klienta"" nie może być również elementem nabycia" DocType: Blanket Order Item,Ordered Quantity,Zamówiona Ilość apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","np. ""Buduj narzędzia dla budowniczych""" @@ -4189,7 +4192,7 @@ DocType: BOM,Operating Cost (Company Currency),Koszty operacyjne (Spółka walut DocType: Authorization Rule,Applicable To (Role),Stosowne dla (Rola) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Oczekujące Nieobecności DocType: BOM Update Tool,Replace BOM,Wymień moduł -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kod {0} już istnieje +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kod {0} już istnieje DocType: Patient Encounter,Procedures,Procedury apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Zamówienia sprzedaży nie są dostępne do produkcji DocType: Asset Movement,Purpose,Cel @@ -4306,6 +4309,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Zignoruj nakładanie si DocType: Warranty Claim,Service Address,Adres usługi apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importuj dane podstawowe DocType: Asset Maintenance Task,Calibration,Kalibrowanie +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Element testu laboratoryjnego {0} już istnieje apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} to święto firmowe apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Rozliczalne godziny apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Powiadomienie o Statusie zgłoszonej Nieobecności @@ -4671,7 +4675,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,wynagrodzenie Rejestracja DocType: Company,Default warehouse for Sales Return,Domyślny magazyn dla zwrotu sprzedaży DocType: Pick List,Parent Warehouse,Dominująca Magazyn -DocType: Subscription,Net Total,Łączna wartość netto +DocType: C-Form Invoice Detail,Net Total,Łączna wartość netto apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Ustaw okres przechowywania produktu w dniach, aby ustawić termin ważności na podstawie daty produkcji i okresu przydatności do spożycia." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Domyślnie nie znaleziono elementu BOM dla elementu {0} i projektu {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Wiersz {0}: ustaw tryb płatności w harmonogramie płatności @@ -4786,7 +4790,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Magazyn docelowy jest obowiązkowy dla wiersza {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Operacje detaliczne DocType: Cheque Print Template,Primary Settings,Ustawienia podstawowe -DocType: Attendance Request,Work From Home,Praca w domu +DocType: Attendance,Work From Home,Praca w domu DocType: Purchase Invoice,Select Supplier Address,Wybierz adres dostawcy apps/erpnext/erpnext/public/js/event.js,Add Employees,Dodaj pracowników DocType: Purchase Invoice Item,Quality Inspection,Kontrola jakości @@ -5030,8 +5034,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,Adres URL autoryzacji apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Kwota {0} {1} {2} {3} DocType: Account,Depreciation,Amortyzacja -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Usuń pracownika {0} \, aby anulować ten dokument" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Liczba akcji i liczby akcji są niespójne apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Dostawca(y) DocType: Employee Attendance Tool,Employee Attendance Tool,Narzędzie Frekwencji @@ -5340,7 +5342,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kryteria analizy rośli DocType: Cheque Print Template,Cheque Height,Czek Wysokość DocType: Supplier,Supplier Details,Szczegóły dostawcy DocType: Setup Progress,Setup Progress,Konfiguracja Postępu -DocType: Expense Claim,Approval Status,Status Zatwierdzenia apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},"Wartość ""od"" musi być mniejsza niż wartość w rzędzie {0}" DocType: Program,Intro Video,Intro Video DocType: Manufacturing Settings,Default Warehouses for Production,Domyślne magazyny do produkcji @@ -5684,7 +5685,6 @@ DocType: Purchase Invoice,Rounded Total,Końcowa zaokrąglona kwota apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Gniazda dla {0} nie są dodawane do harmonogramu DocType: Product Bundle,List items that form the package.,Lista elementów w pakiecie apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Lokalizacja docelowa jest wymagana podczas przenoszenia aktywów {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nie dozwolone. Wyłącz szablon testowy DocType: Sales Invoice,Distance (in km),Odległość (w km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Przydział Procentowy powinien wynosić 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Proszę wybrać Data księgowania przed wybraniem Stronę @@ -5815,7 +5815,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Cennik Kursowy apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Wszystkie grupy dostawców DocType: Employee Boarding Activity,Required for Employee Creation,Wymagany w przypadku tworzenia pracowników -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dostawca> Rodzaj dostawcy apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Numer konta {0} jest już używany na koncie {1} DocType: GoCardless Mandate,Mandate,Mandat DocType: Hotel Room Reservation,Booked,Zarezerwowane @@ -5881,7 +5880,6 @@ DocType: Production Plan Item,Product Bundle Item,Pakiet produktów Artykuł DocType: Sales Partner,Sales Partner Name,Imię Partnera Sprzedaży apps/erpnext/erpnext/hooks.py,Request for Quotations,Zapytanie o cenę DocType: Payment Reconciliation,Maximum Invoice Amount,Maksymalna kwota faktury -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () nie powiodło się dla pustego IBAN DocType: Normal Test Items,Normal Test Items,Normalne elementy testowe DocType: QuickBooks Migrator,Company Settings,Ustawienia firmy DocType: Additional Salary,Overwrite Salary Structure Amount,Nadpisz ilość wynagrodzenia @@ -6035,6 +6033,7 @@ DocType: Issue,Resolution By Variance,Rozdzielczość przez wariancję DocType: Leave Allocation,Leave Period,Okres Nieobecności DocType: Item,Default Material Request Type,Domyślnie Materiał Typ żądania DocType: Supplier Scorecard,Evaluation Period,Okres próbny +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> Grupa klientów> Terytorium apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Nieznany apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Zamówienie pracy nie zostało utworzone apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6400,8 +6399,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Seryjny DocType: Material Request Plan Item,Required Quantity,Wymagana ilość DocType: Lab Test Template,Lab Test Template,Szablon testu laboratoryjnego apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Okres rozliczeniowy pokrywa się z {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dostawca> Rodzaj dostawcy apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Konto sprzedaży DocType: Purchase Invoice Item,Total Weight,Waga całkowita +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Usuń pracownika {0} \, aby anulować ten dokument" DocType: Pick List Item,Pick List Item,Wybierz element listy apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Prowizja od sprzedaży DocType: Job Offer Term,Value / Description,Wartość / Opis @@ -6516,6 +6518,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Podpisano DocType: Bank Account,Party Type,Typ grupy DocType: Discounted Invoice,Discounted Invoice,Zniżka na fakturze +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Oznacz obecność jako DocType: Payment Schedule,Payment Schedule,Harmonogram płatności apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nie znaleziono pracownika dla danej wartości pola pracownika. '{}': {} DocType: Item Attribute Value,Abbreviation,Skrót @@ -6618,7 +6621,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Powód do zawieszenia DocType: Employee,Personal Email,Osobisty E-mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Całkowitej wariancji DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jeśli opcja jest włączona, system będzie zamieszczać wpisy księgowe dla inwentarza automatycznie." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () zaakceptował nieprawidłowy IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Pośrednictwo apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Frekwencja na pracownika {0} jest już zaznaczone na ten dzień DocType: Work Order Operation,"in Minutes @@ -6890,6 +6892,7 @@ DocType: Appointment,Customer Details,Dane Klienta apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Drukuj formularze IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Sprawdź, czy Zasób wymaga konserwacji profilaktycznej lub kalibracji" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Skrót firmy nie może zawierać więcej niż 5 znaków +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Firma macierzysta musi być spółką grupy DocType: Employee,Reports to,Raporty do ,Unpaid Expense Claim,Niepłatny Koszty Zastrzeżenie DocType: Payment Entry,Paid Amount,Zapłacona kwota @@ -6979,6 +6982,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,"Należy ustawić zarówno datę rozpoczęcia okresu próbnego, jak i datę zakończenia okresu próbnego" apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Średnia Stawka +DocType: Appointment,Appointment With,Spotkanie z apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Całkowita kwota płatności w harmonogramie płatności musi być równa sumie całkowitej / zaokrąglonej apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Element dostarczony przez klienta"" nie może mieć wskaźnika wyceny" DocType: Subscription Plan Detail,Plan,Plan @@ -7112,7 +7116,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / ołów% DocType: Bank Guarantee,Bank Account Info,Informacje o koncie bankowym DocType: Bank Guarantee,Bank Guarantee Type,Rodzaj gwarancji bankowej -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () nie powiodło się dla prawidłowego IBAN {} DocType: Payment Schedule,Invoice Portion,Fragment faktury ,Asset Depreciations and Balances,Aktywów Amortyzacja i salda apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},"Kwota {0} {1} przeniesione z {2} {3}, aby" @@ -7782,7 +7785,6 @@ DocType: Dosage Form,Dosage Form,Forma dawkowania apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Ustaw harmonogram kampanii w kampanii {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Ustawienia Cennika. DocType: Task,Review Date,Data Przeglądu -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Oznacz obecność jako DocType: BOM,Allow Alternative Item,Zezwalaj na alternatywną pozycję apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"W potwierdzeniu zakupu nie ma żadnego elementu, dla którego włączona jest opcja Zachowaj próbkę." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktura Grand Total @@ -8014,7 +8016,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Maksymalny limit ponownych prób apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Cennik nie został znaleziony lub wyłączone DocType: Content Activity,Last Activity ,Ostatnia aktywność -DocType: Student Applicant,Approved,Zatwierdzono DocType: Pricing Rule,Price,Cena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',pracownik zwalnia się na {0} musi być ustawiony jako 'opuścił' DocType: Guardian,Guardian,Opiekun @@ -8186,6 +8187,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Odliczenie procentowe DocType: GL Entry,To Rename,Aby zmienić nazwę DocType: Stock Entry,Repack,Przepakowanie apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Wybierz, aby dodać numer seryjny." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Skonfiguruj system nazewnictwa instruktorów w sekcji Edukacja> Ustawienia edukacji apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Ustaw kod fiskalny dla klienta „% s” apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Najpierw wybierz firmę DocType: Item Attribute,Numeric Values,Wartości liczbowe @@ -8202,6 +8204,7 @@ DocType: Salary Detail,Additional Amount,Dodatkowa ilość apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Koszyk jest pusty apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Element {0} nie ma numeru seryjnego Tylko pozycje z zapasów \ mogą mieć dostawę na podstawie numeru seryjnego +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Amortyzowana kwota DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Rzeczywisty koszt operacyjny DocType: Payment Entry,Cheque/Reference No,Czek / numer diff --git a/erpnext/translations/ps.csv b/erpnext/translations/ps.csv index 4d08f3bec0..5a5f276629 100644 --- a/erpnext/translations/ps.csv +++ b/erpnext/translations/ps.csv @@ -43,7 +43,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,د معیاري مالیې DocType: Exchange Rate Revaluation Account,New Exchange Rate,د نوی بدلولو کچه apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},د اسعارو د بیې په لېست کې د اړتیا {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* به په راکړې ورکړې محاسبه شي. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,مهرباني وکړئ د بشري سرچینو> HR ترتیبات کې د کارمند نوم ورکولو سیسټم تنظیم کړئ DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT -YYYY- DocType: Purchase Order,Customer Contact,پيرودونکو سره اړيکي DocType: Shift Type,Enable Auto Attendance,د آٹو ګډون فعال کړئ @@ -94,6 +93,7 @@ DocType: Item Price,Multiple Item prices.,څو د قالب بيه. DocType: SMS Center,All Supplier Contact,ټول عرضه سره اړيکي DocType: Support Settings,Support Settings,د ملاتړ امستنې apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,ناباوره سندونه +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,له کور څخه کار په نښه کړئ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC شتون لري (ایا په بشپړ انتخابي برخه کې) DocType: Amazon MWS Settings,Amazon MWS Settings,د ایمیزون MWS ترتیبات apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,پروسس واوچرز @@ -403,7 +403,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,د توکو م apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,د غړیتوب تفصیلات apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} د {1}: عرضه ده د راتلوونکې ګڼون په وړاندې د اړتيا {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,توکي او د بیې ټاکل -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,پیرودونکي> د پیرودونکي ګروپ> سیمه apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Total ساعتونو: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},له نېټه بايد د مالي کال په چوکاټ کې وي. فرض له نېټه = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR -YYYY- @@ -765,6 +764,7 @@ DocType: Request for Quotation,Request for Quotation,لپاره د داوطلب DocType: Healthcare Settings,Require Lab Test Approval,د لابراتوار ازموینې ته اړتیا DocType: Attendance,Working Hours,کار ساعتونه apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,بشپړ شوی +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},د UOM د بدلون فاکتور ({0} -> {1}) د توکي لپاره ونه موندل شو: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,د پیل / اوسني تسلسل کې د شته لړ شمېر کې بدلون راولي. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,سلنه تاسو ته اجازه درکول شوې چې د غوښتل شوې اندازې په مقابل کې نور بیلونه ورکړئ. د مثال په توګه: که چیرې د آرډر ارزښت د یو توکي لپاره $ 100 دی او زغم د 10 as په توګه ټاکل شوی وي نو بیا تاسو ته د. 110 ډالرو بیل کولو اجازه درکول کیږي. DocType: Dosage Strength,Strength,ځواک @@ -1244,7 +1244,6 @@ DocType: Timesheet,Total Billed Hours,Total محاسبې ته ساعتونه DocType: Pricing Rule Item Group,Pricing Rule Item Group,د مقرراتو د توکو ګروپ DocType: Travel Itinerary,Travel To,سفر ته apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,د تبادلې نرخ بیا ارزونې ماسټر. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,مهرباني وکړئ د تنظیم کولو له لارې د شمیره ورکولو لړۍ له لارې د ګډون لپاره د شمېرنې لړۍ تنظیم کړئ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,مقدار ولیکئ پړاو DocType: Leave Block List Allow,Allow User,کارن اجازه DocType: Journal Entry,Bill No,بیل نه @@ -1597,6 +1596,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,هڅوونکي apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,له همغږۍ وتلې ارزښتونه apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,د توپیر ارزښت +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,مهرباني وکړئ د تنظیم کولو له لارې د شمیره ورکولو لړۍ له لارې د ګډون لپاره د شمېرنې لړۍ تنظیم کړئ DocType: SMS Log,Requested Numbers,غوښتنه شميرې DocType: Volunteer,Evening,شاملیږي DocType: Quiz,Quiz Configuration,د کوز تشکیلات @@ -1763,6 +1763,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,له ځا DocType: Student Admission,Publish on website,په ويب پاڼه د خپرېدو apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,عرضه صورتحساب نېټه نه شي کولای پست کوي نېټه څخه ډيره وي DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,د توکو کوډ> د توکو ګروپ> نښه DocType: Subscription,Cancelation Date,د تایید نیټه DocType: Purchase Invoice Item,Purchase Order Item,نظم د قالب پیري DocType: Agriculture Task,Agriculture Task,کرهنیز ټیم @@ -2274,6 +2275,7 @@ apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory DocType: Agriculture Analysis Criteria,Agriculture,د کرنې apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,د پلور امر جوړول apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,د شتمنیو لپاره د محاسبې داخله +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} د ګروپ نوډ ندي. مهرباني وکړئ د ګروپ نوډ د اصلي لګښت مرکز په توګه وټاکئ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,د انو انو بلاک apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,د مقدار کولو لپاره مقدار apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,پرانیځئ ماسټر معلوماتو @@ -2359,7 +2361,6 @@ DocType: Promotional Scheme,Product Discount Slabs,د محصول تخفیف سل DocType: Target Detail,Target Distribution,د هدف د ویش DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 - د انتقالي ارزونې ارزونه apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,د ګوندونو او ادرسونو واردول -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},د UOM د بدلون فاکتور ({0} -> {1}) د توکي لپاره ونه موندل شو: {2} DocType: Salary Slip,Bank Account No.,بانکي حساب شمیره DocType: Naming Series,This is the number of the last created transaction with this prefix,دا په دې مختاړی د تېرو جوړ معامله شمیر DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -3340,7 +3341,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Total اولګښت مقدا apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,د فیس مهال ویش جوړ کړئ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,تکرار پيرودونکو د عوایدو DocType: Soil Texture,Silty Clay Loam,د سپیټ مټ لوام -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,مهرباني وکړئ د ښوونې او روزنې ترتیبات کې د ښوونکي نوم ورکولو سیسټم تنظیم کړئ DocType: Quiz,Enter 0 to waive limit,د معاف کولو حد ته 0 دننه کړئ DocType: Bank Statement Settings,Mapped Items,نقشه شوی توکي DocType: Amazon MWS Settings,IT,IT @@ -3399,6 +3399,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,د ځان د چلونې د وس DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,د کټګورۍ د رایو کارډونه apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},د کتارونو تر {0}: د مواد بیل نه د سامان موندل {1} DocType: Contract Fulfilment Checklist,Requirement,اړتیاوې +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,مهرباني وکړئ د بشري سرچینو> HR ترتیبات کې د کارمند نوم ورکولو سیسټم تنظیم کړئ DocType: Journal Entry,Accounts Receivable,حسابونه ترلاسه DocType: Quality Goal,Objectives,موخې DocType: HR Settings,Role Allowed to Create Backdated Leave Application,د پخوانۍ رخصتۍ غوښتنلیک جوړولو لپاره رول ته اجازه ورکړل شوې @@ -3537,6 +3538,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,تطبیقی apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,د بیروني تحویلیو او داخلي تحویلیو جزییات د ریورس چارج لپاره مسؤل دي apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re علني +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,اجازه نشته مهرباني وکړئ د لیب ازمونې ټیمپلیټ غیر فعال کړئ DocType: Sales Invoice Item,Qty as per Stock UOM,Qty هر دحمل UOM په توګه apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 نوم apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,د روټ شرکت @@ -3622,7 +3624,6 @@ DocType: Payment Request,Transaction Details,د راکړې ورکړې تفصیل apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,لطفا د مهال ویش به په 'تولید مهال ویش' کیکاږۍ DocType: Item,"Purchase, Replenishment Details",د پیرودلو ، بیا ډکولو جزییات DocType: Products Settings,Enable Field Filters,د ساحې فلټرونه فعال کړئ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,د توکو کوډ> د توکو ګروپ> نښه apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also",د "پیرودونکي چمتو شوي توکی" د پیرود توکي هم نشي کیدی DocType: Blanket Order Item,Ordered Quantity,امر مقدار apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",د بیلګې په توګه "د جوړوونکي وسایلو جوړولو" @@ -4086,7 +4087,7 @@ DocType: BOM,Operating Cost (Company Currency),عادي لګښت (شرکت د ا DocType: Authorization Rule,Applicable To (Role),د تطبیق وړ د (رول) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,د ځنډېدلو پاڼي DocType: BOM Update Tool,Replace BOM,BOM بدله کړئ -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,کود {0} لا دمخه شتون لري +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,کود {0} لا دمخه شتون لري DocType: Patient Encounter,Procedures,کړنلارې apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,د خرڅلاو امرونه د تولید لپاره شتون نلري DocType: Asset Movement,Purpose,هدف @@ -4528,7 +4529,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,معاش د نوم ثبتول DocType: Company,Default warehouse for Sales Return,د پلور بیرته راتګ لپاره اصلي ګودام DocType: Pick List,Parent Warehouse,Parent ګدام -DocType: Subscription,Net Total,خالص Total +DocType: C-Form Invoice Detail,Net Total,خالص Total apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",په ورځو کې د توکي شیلف ژوند تنظیم کړئ ، د تیاری نیټې پلس شیلف - ژوند پر بنسټ د پای ټاکل. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Default هیښ لپاره توکی ونه موندل {0} او د پروژې د {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,قطار {0}: مهرباني وکړئ د تادیې مهال ویش کې د تادیې حالت تنظیم کړئ @@ -4641,7 +4642,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},هدف ګودام لپاره چي په کتارونو الزامی دی {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,پرچون عملیات DocType: Cheque Print Template,Primary Settings,لومړنۍ امستنې -DocType: Attendance Request,Work From Home,له کور څخه کار +DocType: Attendance,Work From Home,له کور څخه کار DocType: Purchase Invoice,Select Supplier Address,انتخاب عرضه پته apps/erpnext/erpnext/public/js/event.js,Add Employees,مامورین ورزیات کړئ DocType: Purchase Invoice Item,Quality Inspection,د کیفیت د تفتیش @@ -4654,6 +4655,8 @@ DocType: Quiz Question,Quiz Question,پوښتنې DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,قانوني نهاد / مستقلې سره د حسابونه د يو جلا چارت د سازمان پورې. DocType: Payment Request,Mute Email,ګونګ دبرېښنا ليک apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco",د خوړو، او نوشابه & تنباکو +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",دا لاسوند لغوه کولی نشی ځکه چې دا د تسلیم شوي شتمني {0} سره تړل شوی. \ مهرباني وکړئ جاري وساتو یې دا لغوه کړئ. DocType: Account,Account Number,ګڼون شمېره apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},يوازې په وړاندې پیسې unbilled {0} DocType: Call Log,Missed,ورک شوی @@ -4877,8 +4880,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,د اجازې یو آر ایل apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},مقدار د {0} د {1} {2} {3} DocType: Account,Depreciation,د استهالک -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","مهرباني وکړئ د دې سند لغوه کولو لپاره کارمند {0} delete حذف کړئ" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,د ونډې شمېره او د شمېره شمېره متناقض دي apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),عرضه (s) DocType: Employee Attendance Tool,Employee Attendance Tool,د کارګر د حاضرۍ اوزار @@ -5184,7 +5185,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,د پلان تحلیل DocType: Cheque Print Template,Cheque Height,آرډر لوړوالی DocType: Supplier,Supplier Details,عرضه نورولوله DocType: Setup Progress,Setup Progress,پرمختللی پرمختګ -DocType: Expense Claim,Approval Status,تصویب حالت apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},له ارزښت باید په پرتله د ارزښت په قطار کمه وي {0} DocType: Program,Intro Video,انٹرو ویډیو DocType: Manufacturing Settings,Default Warehouses for Production,د تولید لپاره اصلي ګودامونه @@ -5518,7 +5518,6 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,وپلوري DocType: Purchase Invoice,Rounded Total,غونډ مونډ Total apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,د {0} لپاره سلاټونه په مهال ویش کې شامل نه دي DocType: Product Bundle,List items that form the package.,لست کې د اقلامو چې د بنډل جوړوي. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,اجازه نشته. مهرباني وکړئ د ازموینې چوکاټ غیر فعال کړئ DocType: Sales Invoice,Distance (in km),فاصله (په کیلو متر) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,سلنه تخصيص بايد مساوي له 100٪ وي apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,لطفا د ګوند په ټاکلو مخکې نوکرې نېټه وټاکئ @@ -5649,7 +5648,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,د بیې په لېست د بدلولو نرخ apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,د ټولو سپلویزی ګروپونه DocType: Employee Boarding Activity,Required for Employee Creation,د کارموندنې د جوړولو لپاره اړین دی -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کونکي> عرضه کونکي ډول apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},د حساب شمیره {0} د مخه په حساب کې کارول شوې {1} DocType: GoCardless Mandate,Mandate,منډې DocType: Hotel Room Reservation,Booked,کتاب شوی @@ -5715,7 +5713,6 @@ DocType: Production Plan Item,Product Bundle Item,د محصول د بنډل په DocType: Sales Partner,Sales Partner Name,خرڅلاو همکار نوم apps/erpnext/erpnext/hooks.py,Request for Quotations,د داوطلبۍ غوښتنه DocType: Payment Reconciliation,Maximum Invoice Amount,اعظمي صورتحساب مقدار -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,دبانک اکاونټ.ثوالیت_بیان () د IBAN خالي لپاره ناکام شو DocType: Normal Test Items,Normal Test Items,د عادي ازموینې توکي DocType: QuickBooks Migrator,Company Settings,د شرکت ترتیبونه DocType: Additional Salary,Overwrite Salary Structure Amount,د معاشاتو جوړښت مقدار بیرته اخیستل @@ -5869,6 +5866,7 @@ DocType: Issue,Resolution By Variance,د توپیر په واسطه حل کول DocType: Leave Allocation,Leave Period,د پریښودلو موده DocType: Item,Default Material Request Type,Default د موادو غوښتنه ډول DocType: Supplier Scorecard,Evaluation Period,د ارزونې موده +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,پیرودونکي> د پیرودونکي ګروپ> سیمه apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,نامعلوم apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,د کار امر ندی جوړ شوی DocType: Shipping Rule,Shipping Rule Conditions,انتقال حاکمیت شرايط @@ -6225,8 +6223,11 @@ DocType: Salary Component,Formula,فورمول apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,سریال # DocType: Material Request Plan Item,Required Quantity,اړین مقدار DocType: Lab Test Template,Lab Test Template,د لابراتوار ازموینه +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کونکي> عرضه کونکي ډول apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,د پلور حساب DocType: Purchase Invoice Item,Total Weight,ټول وزن +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","مهرباني وکړئ د دې سند لغوه کولو لپاره کارمند {0} delete حذف کړئ" DocType: Pick List Item,Pick List Item,د لړ توکي غوره کړه apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,د کمیسیون په خرڅلاو DocType: Job Offer Term,Value / Description,د ارزښت / Description @@ -6340,6 +6341,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,لاسلیک شوی DocType: Bank Account,Party Type,ګوند ډول DocType: Discounted Invoice,Discounted Invoice,تخفیف انوائس +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,د شتون په توګه نښه کول د DocType: Payment Schedule,Payment Schedule,د تادیاتو مهال ویش apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},د ورکړل شوي کارمند ساحې ارزښت لپاره هیڅ کارمند ونه موندل شو. '{}':} DocType: Item Attribute Value,Abbreviation,لنډیزونه @@ -6440,7 +6442,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,د نیولو په موخه DocType: Employee,Personal Email,د شخصي ليک apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Total توپیر DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",که چېرې توانول شوی، دا سيستم به د محاسبې زياتونې لپاره د انبار په اتوماتيک ډول وروسته. -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount. માન્યate_iban () غیرقانوني IBAN ومنل {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,صرافي apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,د {0} کارمند په ګډون لا د مخه د دې ورځې لپاره په نښه DocType: Work Order Operation,"in Minutes @@ -6708,6 +6709,7 @@ DocType: Appointment,Customer Details,پيرودونکو په بشپړه توګ apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,د IRS 1099 فورمې چاپ کړئ DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,وګورئ که چیرې شتمنۍ د مخنیوي ساتنه یا تعقیب ته اړتیا ولري apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,د شرکت لنډیز نشي کولی له 5 څخه ډیر ټکي ولري +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,اصلي شرکت باید د ګروپ شرکت وي DocType: Employee,Reports to,د راپورونو له ,Unpaid Expense Claim,معاش اخراجاتو ادعا DocType: Payment Entry,Paid Amount,ورکړل مقدار @@ -6795,6 +6797,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,د کارموندنۍ شمېرنې apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,د آزموینې دواړه د پیل نیټه د پیل نیټه او د آزموینې دورې پای نیټه باید وټاکل شي apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,اوسط کچه +DocType: Appointment,Appointment With,د سره ټاکل apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,د تادیاتو مهال ویش کې د مجموعي تادیاتو اندازه باید د ګردي / ګردي ګرد مجموعي سره مساوي وي apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","پیرودونکي چمتو شوي توکی" نشي کولی د ارزښت نرخ ولري DocType: Subscription Plan Detail,Plan,پلان @@ -6925,7 +6928,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,د کارموندنۍ / مشري٪ DocType: Bank Guarantee,Bank Account Info,د بانک حساب ورکولو معلومات DocType: Bank Guarantee,Bank Guarantee Type,د بانکي تضمین ډول -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount. માન્યate_iban () د اعتبار وړ IBAN لپاره ناکام شو { DocType: Payment Schedule,Invoice Portion,د انوائس پوسشن ,Asset Depreciations and Balances,د شتمنیو Depreciations او انډول. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},مقدار د {0} د {1} څخه انتقال {2} د {3} @@ -7577,7 +7579,6 @@ DocType: Dosage Form,Dosage Form,د دوسیې فورمه apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},مهرباني وکړئ د کمپاین {0} کې د کمپاین مهالویش تنظیم کړئ apps/erpnext/erpnext/config/buying.py,Price List master.,د بیې په لېست بادار. DocType: Task,Review Date,کتنه نېټه -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,د حاضرۍ نښه په توګه DocType: BOM,Allow Alternative Item,د متبادل توکي اجازه ورکړئ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,د پیرود رسید هیڅ توکی نلري د دې لپاره چې برقرار نمونه فعاله وي. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,انوائس عالي مجموعه @@ -7804,7 +7805,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,د Max Max Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,بیې په لېست کې ونه موندل او يا معيوب DocType: Content Activity,Last Activity ,وروستی فعالیت -DocType: Student Applicant,Approved,تصویب شوې DocType: Pricing Rule,Price,د بیې apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',د کارګر د کرارۍ د {0} بايد جوړ شي د "کيڼ ' DocType: Guardian,Guardian,ګارډین @@ -7975,6 +7975,7 @@ DocType: Taxable Salary Slab,Percent Deduction,فيصدي کسر DocType: GL Entry,To Rename,نوم بدلول DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,د سریال شمیره اضافه کولو لپاره غوره کړئ. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,مهرباني وکړئ د ښوونې او روزنې ترتیبات کې د ښوونکي نوم ورکولو سیسټم تنظیم کړئ apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',مهرباني وکړئ د پیرودونکي لپاره مالي کوډ تنظیم کړئ '٪ s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,مهرباني وکړئ لومړی شرکت غوره کړئ DocType: Item Attribute,Numeric Values,شمېريزو ارزښتونه @@ -7991,6 +7992,7 @@ DocType: Salary Detail,Additional Amount,اضافي مقدار apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,کراچۍ ده خالي apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",توکي {0} لري د سیریل نمبر نه یواځې سیریلیز شوي توکي \ د سیریل نمبر پر اساس ترسیل کولی شي +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,تخفیف شوې اندازه DocType: Vehicle,Model,د نمونوي DocType: Work Order,Actual Operating Cost,واقعي عملياتي لګښت DocType: Payment Entry,Cheque/Reference No,آرډر / ماخذ نه diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv index a359797329..1b96d9e0b3 100644 --- a/erpnext/translations/pt.csv +++ b/erpnext/translations/pt.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Quantia padrão de isenç DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nova taxa de câmbio apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Moeda é necessária para a Lista de Preços {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Será calculado na transação. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configure o sistema de nomeação de funcionários em Recursos humanos> Configurações de RH DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Contato do Cliente DocType: Shift Type,Enable Auto Attendance,Ativar atendimento automático @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Todos os Contactos do Fornecedor DocType: Support Settings,Support Settings,Definições de suporte apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Conta {0} é adicionada na empresa filha {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Credenciais inválidas +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Marcar Trabalho de Casa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC disponível (seja na parte operacional completa) DocType: Amazon MWS Settings,Amazon MWS Settings,Configurações do Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Processando Vouchers @@ -409,7 +409,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Item Montante d apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Detalhes da associação apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: É necessário colocar o fornecedor na Conta a pagar {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Itens e Preços -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Território apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Horas totais: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},A Data De deve estar dentro do Ano Fiscal. Assumindo que a Data De = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -456,7 +455,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Opção Selecionada DocType: SG Creation Tool Course,SG Creation Tool Course,Curso de Ferramenta de Criação SG DocType: Bank Statement Transaction Invoice Item,Payment Description,Descrição de pagamento -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Defina Naming Series como {0} em Configuração> Configurações> Naming Series apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Stock Insuficiente DocType: Email Digest,New Sales Orders,Novas Ordens de Venda DocType: Bank Account,Bank Account,Conta Bancária @@ -778,6 +776,7 @@ DocType: Request for Quotation,Request for Quotation,Solicitação de Cotação DocType: Healthcare Settings,Require Lab Test Approval,Exigir aprovação de teste de laboratório DocType: Attendance,Working Hours,Horas de Trabalho apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total pendente +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Fator de conversão de UOM ({0} -> {1}) não encontrado para o item: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Altera o número de sequência inicial / atual duma série existente. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Porcentagem que você tem permissão para faturar mais contra a quantia pedida. Por exemplo: Se o valor do pedido for $ 100 para um item e a tolerância for definida como 10%, você poderá faturar $ 110." DocType: Dosage Strength,Strength,Força @@ -1270,7 +1269,6 @@ DocType: Timesheet,Total Billed Hours,Horas Totais Faturadas DocType: Pricing Rule Item Group,Pricing Rule Item Group,Grupo de itens de regras de precificação DocType: Travel Itinerary,Travel To,Viajar para apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Mestre de Reavaliação da Taxa de Câmbio. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configure séries de numeração para Presença em Configuração> Série de numeração apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Liquidar Quantidade DocType: Leave Block List Allow,Allow User,Permitir Utilizador DocType: Journal Entry,Bill No,Nr. de Conta @@ -1642,6 +1640,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Incentivos apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Valores fora de sincronia apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Valor da diferença +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configure séries de numeração para Presença em Configuração> Série de numeração DocType: SMS Log,Requested Numbers,Números Solicitados DocType: Volunteer,Evening,Tarde DocType: Quiz,Quiz Configuration,Configuração do questionário @@ -1809,6 +1808,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Do lugar DocType: Student Admission,Publish on website,Publicar no website apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,A Data da Fatura do Fornecedor não pode ser maior que Data de Lançamento DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código do item> Grupo de itens> Marca DocType: Subscription,Cancelation Date,Data de cancelamento DocType: Purchase Invoice Item,Purchase Order Item,Item da Ordem de Compra DocType: Agriculture Task,Agriculture Task,Tarefa de agricultura @@ -2414,7 +2414,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Lajes de desconto do produto DocType: Target Detail,Target Distribution,Objetivo de Distribuição DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalização da avaliação provisória apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importando Partes e Endereços -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Fator de conversão de UOM ({0} -> {1}) não encontrado para o item: {2} DocType: Salary Slip,Bank Account No.,Conta Bancária Nr. DocType: Naming Series,This is the number of the last created transaction with this prefix,Este é o número da última transacção criada com este prefixo DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2809,6 +2808,9 @@ DocType: Company,Default Holiday List,Lista de Feriados Padrão DocType: Pricing Rule,Supplier Group,Grupo de fornecedores apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Linha {0}: A Periodicidade de {1} está a sobrepor-se com {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",Já existe uma lista técnica com o nome {0} para o item {1}.
Você renomeou o item? Entre em contato com o administrador / suporte técnico apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Responsabilidades de Stock DocType: Purchase Invoice,Supplier Warehouse,Armazém Fornecedor DocType: Opportunity,Contact Mobile No,Nº de Telemóvel de Contacto @@ -3257,6 +3259,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Mesa de reunião de qualidade apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Visite os fóruns +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Não é possível concluir a tarefa {0}, pois sua tarefa dependente {1} não está concluída / cancelada." DocType: Student,Student Mobile Number,Número de telemóvel do Estudante DocType: Item,Has Variants,Tem Variantes DocType: Employee Benefit Claim,Claim Benefit For,Reivindicar benefício para @@ -3419,7 +3422,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Montante de Faturação Tota apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Criar tabela de taxas apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Rendimento de Cliente Fiel DocType: Soil Texture,Silty Clay Loam,Silly Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configure o Sistema de Nomenclatura do Instrutor em Educação> Configurações da Educação DocType: Quiz,Enter 0 to waive limit,Digite 0 para renunciar ao limite DocType: Bank Statement Settings,Mapped Items,Itens Mapeados DocType: Amazon MWS Settings,IT,ISTO @@ -3453,7 +3455,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.","Não há ativos suficientes criados ou vinculados a {0}. \ Por favor, crie ou vincule {1} Ativos ao respectivo documento." DocType: Pricing Rule,Apply Rule On Brand,Aplique a regra na marca DocType: Task,Actual End Date (via Time Sheet),Data de Término Efetiva (através da Folha de Presenças) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Não é possível fechar a tarefa {0} porque sua tarefa dependente {1} não está fechada. DocType: Soil Texture,Soil Type,Tipo de solo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Quantidade {0} {1} em {2} {3} ,Quotation Trends,Tendências de Cotação @@ -3483,6 +3484,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Veículo de auto-condução DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Scorecard do fornecedor em pé apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials não encontrado para o item {1} DocType: Contract Fulfilment Checklist,Requirement,Requerimento +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configure o sistema de nomeação de funcionários em Recursos humanos> Configurações de RH DocType: Journal Entry,Accounts Receivable,Contas a Receber DocType: Quality Goal,Objectives,Objetivos DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Função permitida para criar aplicativos de licença antigos @@ -3624,6 +3626,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Aplicado apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Detalhes de suprimentos externos e suprimentos internos sujeitos a reversão de carga apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Novamento aberto +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Não é permitido. Desative o modelo de teste de laboratório DocType: Sales Invoice Item,Qty as per Stock UOM,Qtd como UNID de Stock apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nome Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Empresa Raiz @@ -3683,6 +3686,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tipo de negócios DocType: Sales Invoice,Consumer,Consumidor apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Por favor, selecione o Montante Alocado, o Tipo de Fatura e o Número de Fatura em pelo menos uma linha" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Defina Naming Series como {0} em Configuração> Configurações> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Custo de Nova Compra apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Ordem de Venda necessária para o Item {0} DocType: Grant Application,Grant Description,Descrição do Grant @@ -3709,7 +3713,6 @@ DocType: Payment Request,Transaction Details,Detalhes da transação apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"Por favor, clique em 'Gerar Cronograma' para obter o cronograma" DocType: Item,"Purchase, Replenishment Details","Compra, detalhes de reabastecimento" DocType: Products Settings,Enable Field Filters,Ativar filtros de campo -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código do item> Grupo de itens> Marca apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","Item Fornecido pelo Cliente" não pode ser Item de Compra também DocType: Blanket Order Item,Ordered Quantity,Quantidade Pedida apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","ex: ""Ferramentas de construção para construtores""" @@ -4181,7 +4184,7 @@ DocType: BOM,Operating Cost (Company Currency),Custo Operacional (Moeda da Empre DocType: Authorization Rule,Applicable To (Role),Aplicável A (Função) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Folhas pendentes DocType: BOM Update Tool,Replace BOM,Substituir lista técnica -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,O código {0} já existe +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,O código {0} já existe DocType: Patient Encounter,Procedures,Procedimentos apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Pedidos de vendas não estão disponíveis para produção DocType: Asset Movement,Purpose,Objetivo @@ -4298,6 +4301,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Ignorar a sobreposição DocType: Warranty Claim,Service Address,Endereço de Serviço apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importar dados mestre DocType: Asset Maintenance Task,Calibration,Calibração +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,O item de teste de laboratório {0} já existe apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} é um feriado da empresa apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Horas faturáveis apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Deixar a notificação de status @@ -4663,7 +4667,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,salário Register DocType: Company,Default warehouse for Sales Return,Depósito padrão para devolução de vendas DocType: Pick List,Parent Warehouse,Armazém Principal -DocType: Subscription,Net Total,Total Líquido +DocType: C-Form Invoice Detail,Net Total,Total Líquido apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Defina o prazo de validade do item em dias, para definir o vencimento com base na data de fabricação mais o prazo de validade." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Lista de materiais padrão não encontrada para Item {0} e Projeto {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,"Linha {0}: Por favor, defina o modo de pagamento na programação de pagamento" @@ -4778,7 +4782,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},É obrigatório colocar o Destino do Armazém para a linha {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Operações de distribuição DocType: Cheque Print Template,Primary Settings,Definições Principais -DocType: Attendance Request,Work From Home,Trabalho a partir de casa +DocType: Attendance,Work From Home,Trabalho a partir de casa DocType: Purchase Invoice,Select Supplier Address,Escolha um Endereço de Fornecedor apps/erpnext/erpnext/public/js/event.js,Add Employees,Adicionar Funcionários DocType: Purchase Invoice Item,Quality Inspection,Inspeção de Qualidade @@ -5022,8 +5026,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL de autorização apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Montante {0} {1} {2} {3} DocType: Account,Depreciation,Depreciação -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Por favor, exclua o funcionário {0} \ para cancelar este documento" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,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 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Fornecedor(es) DocType: Employee Attendance Tool,Employee Attendance Tool,Ferramenta de Assiduidade do Funcionário @@ -5332,7 +5334,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Critérios de Análise DocType: Cheque Print Template,Cheque Height,Altura do Cheque DocType: Supplier,Supplier Details,Dados de Fornecedor DocType: Setup Progress,Setup Progress,Progresso da Instalação -DocType: Expense Claim,Approval Status,Estado de Aprovação apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},O valor de deve ser inferior ao valor da linha {0} DocType: Program,Intro Video,Vídeo Intro DocType: Manufacturing Settings,Default Warehouses for Production,Armazéns padrão para produção @@ -5676,7 +5677,6 @@ DocType: Purchase Invoice,Rounded Total,Total Arredondado apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots para {0} não são adicionados ao cronograma DocType: Product Bundle,List items that form the package.,Lista de itens que fazem parte do pacote. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},O local de destino é necessário ao transferir o ativo {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Não é permitido. Desative o modelo de teste DocType: Sales Invoice,Distance (in km),Distância (em km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,A Percentagem de Atribuição deve ser igual a 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Por favor, selecione a Data de Lançamento antes de selecionar a Parte" @@ -5807,7 +5807,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Taxa de Câmbio da Lista de Preços apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Todos os grupos de fornecedores DocType: Employee Boarding Activity,Required for Employee Creation,Necessário para a criação de funcionários -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornecedor> Tipo de fornecedor apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Número de conta {0} já utilizado na conta {1} DocType: GoCardless Mandate,Mandate,Mandato DocType: Hotel Room Reservation,Booked,Reservado @@ -5873,7 +5872,6 @@ DocType: Production Plan Item,Product Bundle Item,Item de Pacote de Produtos DocType: Sales Partner,Sales Partner Name,Nome de Parceiro de Vendas apps/erpnext/erpnext/hooks.py,Request for Quotations,Solicitação de Cotações DocType: Payment Reconciliation,Maximum Invoice Amount,Montante de Fatura Máximo -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () falhou para o IBAN vazio DocType: Normal Test Items,Normal Test Items,Itens de teste normais DocType: QuickBooks Migrator,Company Settings,Configurações da empresa DocType: Additional Salary,Overwrite Salary Structure Amount,Sobrescrever quantidade de estrutura salarial @@ -6027,6 +6025,7 @@ DocType: Issue,Resolution By Variance,Resolução por variação DocType: Leave Allocation,Leave Period,Período de licença DocType: Item,Default Material Request Type,Tipo de Solicitação de Material Padrão DocType: Supplier Scorecard,Evaluation Period,Periodo de avaliação +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Território apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Desconhecido apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Ordem de serviço não criada apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6391,8 +6390,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Série # DocType: Material Request Plan Item,Required Quantity,Quantidade requerida DocType: Lab Test Template,Lab Test Template,Modelo de teste de laboratório apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Período de Contabilidade sobrepõe-se a {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornecedor> Tipo de fornecedor apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Conta de vendas DocType: Purchase Invoice Item,Total Weight,Peso total +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Por favor, exclua o funcionário {0} \ para cancelar este documento" DocType: Pick List Item,Pick List Item,Item da lista de seleção apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Comissão sobre Vendas DocType: Job Offer Term,Value / Description,Valor / Descrição @@ -6507,6 +6509,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Inscrito em DocType: Bank Account,Party Type,Tipo de Parte DocType: Discounted Invoice,Discounted Invoice,Fatura descontada +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Marcar presença como DocType: Payment Schedule,Payment Schedule,Agenda de pagamentos apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nenhum funcionário encontrado para o valor do campo de empregado determinado. '{}': {} DocType: Item Attribute Value,Abbreviation,Abreviatura @@ -6609,7 +6612,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Razão para colocar em espe DocType: Employee,Personal Email,Email Pessoal apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Variância Total DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Se for ativado, o sistema irá postar registos contabilísticos automáticos para o inventário." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () aceitou o IBAN inválido {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Corretor/a apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,A Assiduidade do funcionário {0} já foi marcada para este dia DocType: Work Order Operation,"in Minutes @@ -6881,6 +6883,7 @@ DocType: Appointment,Customer Details,Dados do Cliente apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Imprimir formulários do IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Verifique se o recurso requer manutenção preventiva ou calibração apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Abreviação da empresa não pode ter mais de 5 caracteres +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,A controladora deve ser uma empresa do grupo DocType: Employee,Reports to,Relatórios para ,Unpaid Expense Claim,De Despesas não remunerado DocType: Payment Entry,Paid Amount,Montante Pago @@ -6970,6 +6973,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,A data de início do período de avaliação e a data de término do período de avaliação devem ser definidas apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Taxa média +DocType: Appointment,Appointment With,Compromisso com apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,O valor total do pagamento no cronograma de pagamento deve ser igual a total / total arredondado apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Item Fornecido pelo Cliente" não pode ter Taxa de Avaliação DocType: Subscription Plan Detail,Plan,Plano @@ -7109,7 +7113,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Informações da conta bancária DocType: Bank Guarantee,Bank Guarantee Type,Tipo de garantia bancária -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () falhou para o IBAN válido {} DocType: Payment Schedule,Invoice Portion,Porção de fatura ,Asset Depreciations and Balances,Depreciações e Saldos de Ativo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Montante {0} {1} transferido de {2} para {3} @@ -7779,7 +7782,6 @@ DocType: Dosage Form,Dosage Form,Formulário de dosagem apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},"Por favor, configure o calendário de campanha na campanha {0}" apps/erpnext/erpnext/config/buying.py,Price List master.,Definidor de Lista de Preços. DocType: Task,Review Date,Data de Revisão -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Marcar presença como DocType: BOM,Allow Alternative Item,Permitir item alternativo apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,O recibo de compra não possui nenhum item para o qual a opção Retain Sample esteja ativada. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Total geral da fatura @@ -8009,7 +8011,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Limite máximo de nova tentativa apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Lista de Preços não encontrada ou desativada DocType: Content Activity,Last Activity ,ultima atividade -DocType: Student Applicant,Approved,Aprovado DocType: Pricing Rule,Price,Preço apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"O Funcionário dispensado em {0} deve ser definido como ""Saiu""" DocType: Guardian,Guardian,Responsável @@ -8181,6 +8182,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Dedução Percentual DocType: GL Entry,To Rename,Renomear DocType: Stock Entry,Repack,Reembalar apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Selecione para adicionar o número de série. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configure o Sistema de Nomenclatura do Instrutor em Educação> Configurações da Educação apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Por favor, defina o Código Fiscal para o cliente '% s'" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Selecione a empresa primeiro DocType: Item Attribute,Numeric Values,Valores Numéricos @@ -8197,6 +8199,7 @@ DocType: Salary Detail,Additional Amount,Quantia adicional apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,O Carrinho está Vazio apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",O item {0} não possui nº de série. Somente itens serilizados podem ter entrega com base no número de série +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Valor depreciado DocType: Vehicle,Model,Modelo DocType: Work Order,Actual Operating Cost,Custo Operacional Efetivo DocType: Payment Entry,Cheque/Reference No,Nr. de Cheque/Referência diff --git a/erpnext/translations/pt_br.csv b/erpnext/translations/pt_br.csv index 907eb4e7a5..741900906d 100644 --- a/erpnext/translations/pt_br.csv +++ b/erpnext/translations/pt_br.csv @@ -757,7 +757,6 @@ DocType: Asset,Straight Line,Linha reta apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Você não pode ter débito e crédito na mesma conta apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Até a Data e Hora DocType: Course Topic,Topic,Tópico -DocType: Expense Claim,Approval Status,Estado da Aprovação DocType: BOM Update Tool,The new BOM after replacement,A nova LDM após substituição apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Novo Colaborador apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',"Por favor, defina "Aplicar desconto adicional em '" diff --git a/erpnext/translations/ro.csv b/erpnext/translations/ro.csv index 68dae6d266..4243d651f5 100644 --- a/erpnext/translations/ro.csv +++ b/erpnext/translations/ro.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Suma standard de scutire d DocType: Exchange Rate Revaluation Account,New Exchange Rate,Noul curs de schimb valutar apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Moneda este necesară pentru lista de prețuri {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Va fi calculat în cadrul tranzacției. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vă rugăm să configurați sistemul de numire a angajaților în resurse umane> Setări HR DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Clientul A lua legatura DocType: Shift Type,Enable Auto Attendance,Activați prezența automată @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Toate contactele furnizorului DocType: Support Settings,Support Settings,Setări de sprijin apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Contul {0} este adăugat în compania copil {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Credențe nevalide +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Marcați munca de acasă apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC Disponibil (fie în opțiune integrală) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Settings apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Procesarea voucherelor @@ -409,7 +409,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Suma impozitulu apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Detalii de membru apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Furnizorul este necesar pentru Contul de plăți {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Articole și Prețuri -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clienți> Teritoriul apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Numărul total de ore: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},De la data trebuie să fie în anul fiscal. Presupunând că la data = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -456,7 +455,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Opțiunea selectată DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creare curs Unealtă DocType: Bank Statement Transaction Invoice Item,Payment Description,Descrierea plății -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vă rugăm să setați Naming Series pentru {0} prin Setare> Setări> Naming Series apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,stoc insuficient DocType: Email Digest,New Sales Orders,Noi comenzi de vânzări DocType: Bank Account,Bank Account,Cont bancar @@ -778,6 +776,7 @@ DocType: Request for Quotation,Request for Quotation,Cerere de ofertă DocType: Healthcare Settings,Require Lab Test Approval,Necesita aprobarea laboratorului de test DocType: Attendance,Working Hours,Ore de lucru apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total deosebit +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Factorul de conversie UOM ({0} -> {1}) nu a fost găsit pentru articol: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Schimbați secventa de numar de inceput / curent a unei serii existente. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Procentaj pe care vi se permite să facturați mai mult contra sumei comandate. De exemplu: Dacă valoarea comenzii este 100 USD pentru un articol și toleranța este setată la 10%, atunci vi se permite să facturați pentru 110 $." DocType: Dosage Strength,Strength,Putere @@ -1272,7 +1271,6 @@ DocType: Timesheet,Total Billed Hours,Numărul total de ore facturate DocType: Pricing Rule Item Group,Pricing Rule Item Group,Grupul de articole din regula prețurilor DocType: Travel Itinerary,Travel To,Călători în apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Master reevaluarea cursului de schimb. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vă rugăm să configurați seria de numerotare pentru prezență prin Setare> Numerotare apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Scrie Off Suma DocType: Leave Block List Allow,Allow User,Permiteţi utilizator DocType: Journal Entry,Bill No,Factură nr. @@ -1647,6 +1645,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Stimulente apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Valori ieșite din sincronizare apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Valoarea diferenței +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vă rugăm să configurați seria de numerotare pentru prezență prin Setare> Numerotare DocType: SMS Log,Requested Numbers,Numere solicitate DocType: Volunteer,Evening,Seară DocType: Quiz,Quiz Configuration,Configurarea testului @@ -1814,6 +1813,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,De la loc DocType: Student Admission,Publish on website,Publica pe site-ul apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Furnizor Data facturii nu poate fi mai mare decât postare Data DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cod articol> Grup de articole> Marcă DocType: Subscription,Cancelation Date,Data Anulării DocType: Purchase Invoice Item,Purchase Order Item,Comandă de aprovizionare Articol DocType: Agriculture Task,Agriculture Task,Agricultura @@ -2422,7 +2422,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Placi cu reducere de produse DocType: Target Detail,Target Distribution,Țintă Distribuție DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 - Finalizarea evaluării provizorii apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importarea părților și adreselor -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Factorul de conversie UOM ({0} -> {1}) nu a fost găsit pentru articol: {2} DocType: Salary Slip,Bank Account No.,Cont bancar nr. DocType: Naming Series,This is the number of the last created transaction with this prefix,Acesta este numărul ultimei tranzacții create cu acest prefix DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2818,6 +2817,9 @@ DocType: Company,Default Holiday List,Implicit Listă de vacanță DocType: Pricing Rule,Supplier Group,Grupul de furnizori apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Rândul {0}: De la timp și Ora {1} se suprapune cu {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",Există deja o BOM cu numele {0} pentru articolul {1}.
Ați redenumit elementul? Vă rugăm să contactați asistența Administrator / Tehnică apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Pasive stoc DocType: Purchase Invoice,Supplier Warehouse,Furnizor Warehouse DocType: Opportunity,Contact Mobile No,Nr. Mobil Persoana de Contact @@ -3266,6 +3268,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Masa de întâlnire de calitate apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Vizitați forumurile +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Nu se poate finaliza sarcina {0} ca sarcină dependentă {1} nu sunt completate / anulate. DocType: Student,Student Mobile Number,Elev Număr mobil DocType: Item,Has Variants,Are variante DocType: Employee Benefit Claim,Claim Benefit For,Revendicați beneficiul pentru @@ -3427,7 +3430,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Suma totală de facturare (p apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Creați programul de taxe apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Repetați Venituri Clienți DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vă rugăm să configurați Sistemul de denumire a instructorului în Educație> Setări educație DocType: Quiz,Enter 0 to waive limit,Introduceți 0 până la limita de renunțare DocType: Bank Statement Settings,Mapped Items,Elemente cartografiate DocType: Amazon MWS Settings,IT,ACEASTA @@ -3461,7 +3463,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Nu există suficiente resurse create sau legate la {0}. \ Vă rugăm să creați sau să asociați {1} Active cu documentul respectiv. DocType: Pricing Rule,Apply Rule On Brand,Aplicați regula pe marcă DocType: Task,Actual End Date (via Time Sheet),Dată de Încheiere Efectivă (prin Pontaj) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Nu se poate închide sarcina {0}, deoarece sarcina sa dependentă {1} nu este închisă." DocType: Soil Texture,Soil Type,Tipul de sol apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Suma {0} {1} împotriva {2} {3} ,Quotation Trends,Cotație Tendințe @@ -3491,6 +3492,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Vehicul cu autovehicul DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Graficul Scorecard pentru furnizori apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Rândul {0}: Lista de materiale nu a fost găsit pentru elementul {1} DocType: Contract Fulfilment Checklist,Requirement,Cerinţă +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vă rugăm să configurați sistemul de numire a angajaților în resurse umane> Setări HR DocType: Journal Entry,Accounts Receivable,Conturi de Incasare DocType: Quality Goal,Objectives,Obiective DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Rolul permis pentru a crea o cerere de concediu retardat @@ -3632,6 +3634,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Aplicat apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,"Detalii despre consumabile externe și consumabile interioare, care pot fi percepute invers" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re-deschide +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Nu sunt acceptate. Vă rugăm să dezactivați șablonul de testare DocType: Sales Invoice Item,Qty as per Stock UOM,Cantitate conform Stock UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nume Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Companie de rădăcină @@ -3690,6 +3693,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tip de afacere DocType: Sales Invoice,Consumer,Consumator apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vă rugăm să selectați suma alocată, de tip Factură și factură Numărul din atleast rând una" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vă rugăm să setați Naming Series pentru {0} prin Setare> Setări> Serie pentru denumire apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Costul de achiziție nouă apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Ordinul de vânzări necesar pentru postul {0} DocType: Grant Application,Grant Description,Descrierea granturilor @@ -3716,7 +3720,6 @@ DocType: Payment Request,Transaction Details,Detalii tranzacție apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"Vă rugăm să faceți clic pe ""Generate Program"", pentru a obține programul" DocType: Item,"Purchase, Replenishment Details","Detalii de achiziție, reconstituire" DocType: Products Settings,Enable Field Filters,Activați filtrele de câmp -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cod articol> Grup de articole> Marcă apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","""Elementul furnizat de client"" nu poate fi și articolul de cumpărare" DocType: Blanket Order Item,Ordered Quantity,Ordonat Cantitate apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","de exemplu ""Construi instrumente de constructori """ @@ -4188,7 +4191,7 @@ DocType: BOM,Operating Cost (Company Currency),Costul de operare (Companie Moned DocType: Authorization Rule,Applicable To (Role),Aplicabil pentru (rol) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Frunze în așteptare DocType: BOM Update Tool,Replace BOM,Înlocuiește BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Codul {0} există deja +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Codul {0} există deja DocType: Patient Encounter,Procedures,Proceduri apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Comenzile de vânzări nu sunt disponibile pentru producție DocType: Asset Movement,Purpose,Scopul @@ -4304,6 +4307,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Ignorați suprapunerea t DocType: Warranty Claim,Service Address,Adresa serviciu apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importați datele de bază DocType: Asset Maintenance Task,Calibration,Calibrare +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Elementul testului de laborator {0} există deja apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} este o sărbătoare a companiei apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Ore Billable apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Lăsați notificarea de stare @@ -4669,7 +4673,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,Salariu Înregistrare DocType: Company,Default warehouse for Sales Return,Depozit implicit pentru returnarea vânzărilor DocType: Pick List,Parent Warehouse,Depozit Părinte -DocType: Subscription,Net Total,Total net +DocType: C-Form Invoice Detail,Net Total,Total net apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Setați termenul de valabilitate al articolului în zile, pentru a stabili data de expirare în funcție de data fabricației, plus perioada de valabilitate." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Implicit BOM nu a fost găsit pentru articolele {0} și proiectul {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rândul {0}: Vă rugăm să setați modul de plată în programul de plată @@ -4784,7 +4788,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Depozit țintă este obligatorie pentru rând {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Operațiunile de vânzare cu amănuntul DocType: Cheque Print Template,Primary Settings,Setări primare -DocType: Attendance Request,Work From Home,Lucru de acasă +DocType: Attendance,Work From Home,Lucru de acasă DocType: Purchase Invoice,Select Supplier Address,Selectați Furnizor Adresă apps/erpnext/erpnext/public/js/event.js,Add Employees,Adăugă Angajați DocType: Purchase Invoice Item,Quality Inspection,Inspecție de calitate @@ -5028,8 +5032,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,Adresa de autorizare apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Suma {0} {1} {2} {3} DocType: Account,Depreciation,Depreciere -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Vă rugăm să ștergeți angajatul {0} \ pentru a anula acest document" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Numărul de acțiuni și numerele de acțiuni sunt incoerente apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Furnizor (e) DocType: Employee Attendance Tool,Employee Attendance Tool,Instrumentul Participarea angajat @@ -5338,7 +5340,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Criterii de analiză a DocType: Cheque Print Template,Cheque Height,Cheque Inaltime DocType: Supplier,Supplier Details,Detalii furnizor DocType: Setup Progress,Setup Progress,Progres Configurare -DocType: Expense Claim,Approval Status,Status aprobare apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Din valoare trebuie să fie mai mică decat in valoare pentru inregistrarea {0} DocType: Program,Intro Video,Introducere video DocType: Manufacturing Settings,Default Warehouses for Production,Depozite implicite pentru producție @@ -5595,6 +5596,7 @@ apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Cost Ce DocType: Purchase Invoice,Terms,Termeni apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Select Days,Selectați Zile DocType: Academic Term,Term Name,Nume termen +apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the correct code on Mode of Payment {1},Rândul {0}: Vă rugăm să setați codul corect pe Modul de plată {1} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Credit ({0}) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Crearea salvărilor salariale ... apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Nu puteți edita nodul rădăcină. @@ -5681,7 +5683,6 @@ DocType: Purchase Invoice,Rounded Total,Rotunjite total apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Sloturile pentru {0} nu sunt adăugate la program DocType: Product Bundle,List items that form the package.,Listeaza articole care formează pachetul. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Locația țintă este necesară în timpul transferului de active {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nu sunt acceptate. Dezactivați șablonul de testare DocType: Sales Invoice,Distance (in km),Distanța (în km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Alocarea procent ar trebui să fie egală cu 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Vă rugăm să selectați Dată postare înainte de a selecta Parte @@ -5812,7 +5813,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Lista de schimb valutar apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Toate grupurile de furnizori DocType: Employee Boarding Activity,Required for Employee Creation,Necesar pentru crearea angajaților -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizor> Tip furnizor apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Numărul contului {0} deja utilizat în contul {1} DocType: GoCardless Mandate,Mandate,Mandat DocType: Hotel Room Reservation,Booked,rezervat @@ -5878,7 +5878,6 @@ DocType: Production Plan Item,Product Bundle Item,Produs Bundle Postul DocType: Sales Partner,Sales Partner Name,Numele Partner Sales apps/erpnext/erpnext/hooks.py,Request for Quotations,Cerere de Oferte DocType: Payment Reconciliation,Maximum Invoice Amount,Suma maxima Factură -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () a eșuat pentru IBAN gol DocType: Normal Test Items,Normal Test Items,Elemente de test normale DocType: QuickBooks Migrator,Company Settings,Setări Company DocType: Additional Salary,Overwrite Salary Structure Amount,Suprascrieți suma structurii salariilor @@ -6032,6 +6031,7 @@ DocType: Issue,Resolution By Variance,Rezolutie prin variatie DocType: Leave Allocation,Leave Period,Lăsați perioada DocType: Item,Default Material Request Type,Implicit Material Tip de solicitare DocType: Supplier Scorecard,Evaluation Period,Perioada de evaluare +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clienți> Teritoriul apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Necunoscut apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Ordinul de lucru nu a fost creat apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6397,8 +6397,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Cantitatea necesară DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Perioada de contabilitate se suprapune cu {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizor> Tip furnizor apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Cont de vânzări DocType: Purchase Invoice Item,Total Weight,Greutate totală +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Vă rugăm să ștergeți angajatul {0} \ pentru a anula acest document" DocType: Pick List Item,Pick List Item,Alegeți articolul din listă apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Comision pentru Vânzări DocType: Job Offer Term,Value / Description,Valoare / Descriere @@ -6513,6 +6516,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Signed On DocType: Bank Account,Party Type,Tip de partid DocType: Discounted Invoice,Discounted Invoice,Factură redusă +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Marcați prezența ca DocType: Payment Schedule,Payment Schedule,Planul de plăți apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nu a fost găsit niciun angajat pentru valoarea câmpului dat. '{}': {} DocType: Item Attribute Value,Abbreviation,Abreviere @@ -6615,7 +6619,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Motivul pentru a pune în a DocType: Employee,Personal Email,Personal de e-mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Raport Variance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Dacă este activat, sistemul va posta automat înregistrări contabile pentru inventar." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () acceptat IBAN nevalabil {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokeraj apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Prezența pentru angajatul {0} este deja marcată pentru această zi DocType: Work Order Operation,"in Minutes @@ -6887,6 +6890,7 @@ DocType: Appointment,Customer Details,Detalii Client apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Tipărire formulare IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Verificați dacă activul necesită întreținere preventivă sau calibrare apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Abrevierea companiei nu poate avea mai mult de 5 caractere +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Compania-mamă trebuie să fie o companie de grup DocType: Employee,Reports to,Rapoartează către ,Unpaid Expense Claim,Solicitare Cheltuială Neachitată DocType: Payment Entry,Paid Amount,Suma plătită @@ -6975,6 +6979,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,"Trebuie să fie setată atât data de începere a perioadei de încercare, cât și data de încheiere a perioadei de încercare" apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Rata medie +DocType: Appointment,Appointment With,Programare cu apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Suma totală de plată în Planul de Plăți trebuie să fie egală cu Total / Rotunjit apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Elementul furnizat de client"" nu poate avea rata de evaluare" DocType: Subscription Plan Detail,Plan,Plan @@ -7108,7 +7113,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Plumb% DocType: Bank Guarantee,Bank Account Info,Informații despre contul bancar DocType: Bank Guarantee,Bank Guarantee Type,Tip de garanție bancară -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () a eșuat pentru IBAN valabil {} DocType: Payment Schedule,Invoice Portion,Fracțiunea de facturi ,Asset Depreciations and Balances,Amortizari si Balante Active apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Suma {0} {1} transferata de la {2} la {3} @@ -7778,7 +7782,6 @@ DocType: Dosage Form,Dosage Form,Formă de dozare apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Vă rugăm să configurați Planificarea Campaniei în Campania {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Maestru Lista de prețuri. DocType: Task,Review Date,Data Comentariului -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Marcați prezența ca DocType: BOM,Allow Alternative Item,Permiteți un element alternativ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Încasarea de cumpărare nu are niciun articol pentru care este activat eșantionul de păstrare. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Total factură mare @@ -8009,7 +8012,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Lista de preturi nu a fost găsit sau cu handicap DocType: Content Activity,Last Activity ,Ultima activitate -DocType: Student Applicant,Approved,Aprobat DocType: Pricing Rule,Price,Preț apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Angajat eliberat din finctie pe {0} trebuie să fie setat ca 'Plecat' DocType: Guardian,Guardian,gardian @@ -8181,6 +8183,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Deducție procentuală DocType: GL Entry,To Rename,Pentru a redenumi DocType: Stock Entry,Repack,Reambalați apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Selectați pentru a adăuga număr de serie. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vă rugăm să configurați Sistemul de denumire a instructorului în Educație> Setări educație apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Vă rugăm să setați Codul fiscal pentru clientul „% s” apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Selectați mai întâi Compania DocType: Item Attribute,Numeric Values,Valori numerice @@ -8197,6 +8200,7 @@ DocType: Salary Detail,Additional Amount,Suma suplimentară apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Coșul este Gol apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Produsul {0} nu are un număr de serie Numai elementele seriale \ pot fi livrate pe baza numărului de serie +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Suma depreciată DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Cost efectiv de operare DocType: Payment Entry,Cheque/Reference No,Cecul / de referință nr diff --git a/erpnext/translations/ru.csv b/erpnext/translations/ru.csv index c21c6e241a..591b4d7fed 100644 --- a/erpnext/translations/ru.csv +++ b/erpnext/translations/ru.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Стандартная с DocType: Exchange Rate Revaluation Account,New Exchange Rate,Новый обменный курс apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Валюта необходима для Прейскурантом {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Будет рассчитана в сделке. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Пожалуйста, настройте систему имен сотрудников в разделе «Управление персоналом»> «Настройки HR»" DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Контакты с клиентами DocType: Shift Type,Enable Auto Attendance,Включить автоматическое посещение @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Всем Контактам Поста DocType: Support Settings,Support Settings,Настройки поддержки apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Учетная запись {0} добавлена в дочернюю компанию {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Неверные учетные данные +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Пометить работу из дома apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC Доступен (будь то в полной части оп) DocType: Amazon MWS Settings,Amazon MWS Settings,Настройки Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Обработка ваучеров @@ -409,7 +409,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,"Сумма н apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Сведения о членстве apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Наименование поставщика обязательно для кредиторской задолженности {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Продукты и цены -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Группа клиентов> Территория apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Общее количество часов: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},С даты должно быть в пределах финансового года. Предполагая С даты = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -456,7 +455,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Выбранный вариант DocType: SG Creation Tool Course,SG Creation Tool Course,SG Создание курса инструмента DocType: Bank Statement Transaction Invoice Item,Payment Description,Описание платежа -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Пожалуйста, установите серию имен для {0} через Настройка> Настройки> Серия имен" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Недостаточный Stock DocType: Email Digest,New Sales Orders,Новые Сделки DocType: Bank Account,Bank Account,Банковский счет @@ -778,6 +776,7 @@ DocType: Request for Quotation,Request for Quotation,Запрос на Пред DocType: Healthcare Settings,Require Lab Test Approval,Требовать лабораторное тестирование DocType: Attendance,Working Hours,Часы работы apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Всего выдающихся +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Коэффициент преобразования UOM ({0} -> {1}) не найден для элемента: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Измените начальный / текущий порядковый номер существующей идентификации. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"В процентах вам разрешено выставлять счета больше, чем заказанная сумма. Например: если стоимость заказа составляет 100 долларов США за элемент, а допуск равен 10%, то вы можете выставить счет на 110 долларов США." DocType: Dosage Strength,Strength,Прочность @@ -1272,7 +1271,6 @@ DocType: Timesheet,Total Billed Hours,Всего Оплачиваемые Час DocType: Pricing Rule Item Group,Pricing Rule Item Group,Группа правил правила ценообразования DocType: Travel Itinerary,Travel To,Путешествовать в apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Курс переоценки мастер. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Пожалуйста, настройте серию нумерации для Посещаемости через Настройка> Серия нумерации" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Списание Количество DocType: Leave Block List Allow,Allow User,Разрешить пользователю DocType: Journal Entry,Bill No,Номер накладной @@ -1647,6 +1645,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Стимулирование apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Значения не синхронизированы apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Значение разницы +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Пожалуйста, настройте серию нумерации для Посещаемости через Настройка> Серия нумерации" DocType: SMS Log,Requested Numbers,Запрошенные номера DocType: Volunteer,Evening,Вечер DocType: Quiz,Quiz Configuration,Конфигурация викторины @@ -1814,6 +1813,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,С мес DocType: Student Admission,Publish on website,Публикация на сайте apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,"Дата Поставщик Счет не может быть больше, чем Дата публикации" DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товара> Группа товаров> Марка DocType: Subscription,Cancelation Date,Дата отмены DocType: Purchase Invoice Item,Purchase Order Item,Заказ товара DocType: Agriculture Task,Agriculture Task,Сельхоз-задача @@ -2419,7 +2419,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Дисконтные плит DocType: Target Detail,Target Distribution,Распределение цели DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Завершение предварительной оценки apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Стороны импорта и адреса -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Коэффициент преобразования UOM ({0} -> {1}) не найден для элемента: {2} DocType: Salary Slip,Bank Account No.,Счет № DocType: Naming Series,This is the number of the last created transaction with this prefix,Это число последнего созданного сделки с этим префиксом DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2813,6 +2812,9 @@ DocType: Company,Default Holiday List,По умолчанию Список пр DocType: Pricing Rule,Supplier Group,Группа поставщиков apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Дайджест apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Строка {0}: От времени и времени {1} перекрывается с {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ","Спецификация с именем {0} уже существует для элемента {1}.
Вы переименовали предмет? Пожалуйста, свяжитесь с администратором / техподдержкой" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Обязательства по запасам DocType: Purchase Invoice,Supplier Warehouse,Склад поставщика DocType: Opportunity,Contact Mobile No,Связаться Мобильный Нет @@ -3261,6 +3263,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Стол для совещаний по качеству apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Посетите форумы +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Невозможно выполнить задачу {0}, поскольку ее зависимая задача {1} не завершена / не отменена." DocType: Student,Student Mobile Number,Студент Мобильный телефон DocType: Item,Has Variants,Имеет варианты DocType: Employee Benefit Claim,Claim Benefit For,Требование о пособиях для @@ -3423,7 +3426,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Общая сумма Billin apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Создать график оплаты apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Повторите Выручка клиентов DocType: Soil Texture,Silty Clay Loam,Сильный глиняный суглинок -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Пожалуйста, настройте систему имен инструкторов в «Образование»> «Настройки образования»" DocType: Quiz,Enter 0 to waive limit,"Введите 0, чтобы отказаться от лимита" DocType: Bank Statement Settings,Mapped Items,Отображаемые объекты DocType: Amazon MWS Settings,IT,ЭТО @@ -3457,7 +3459,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.","Недостаточно ресурсов, созданных или связанных с {0}. \ Пожалуйста, создайте или свяжите {1} Активы с соответствующим документом." DocType: Pricing Rule,Apply Rule On Brand,Применить правило на бренд DocType: Task,Actual End Date (via Time Sheet),Фактическая дата окончания (с помощью табеля рабочего времени) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Не удалось закрыть задачу {0}, поскольку ее зависимая задача {1} не закрыта." DocType: Soil Texture,Soil Type,Тип почвы apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Сумма {0} {1} против {2} {3} ,Quotation Trends,Динамика предложений @@ -3487,6 +3488,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Личное транспорт DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Постоянный счет поставщика apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Строка {0}: Для продукта {1} не найдена ведомость материалов DocType: Contract Fulfilment Checklist,Requirement,требование +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Пожалуйста, настройте систему имен сотрудников в разделе «Управление персоналом»> «Настройки HR»" DocType: Journal Entry,Accounts Receivable,Дебиторская задолженность DocType: Quality Goal,Objectives,Цели DocType: HR Settings,Role Allowed to Create Backdated Leave Application,"Роль, разрешенная для создания приложения с задним сроком выхода" @@ -3628,6 +3630,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,прикладная apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,"Сведения о расходных материалах и расходных материалах, подлежащих возврату" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Снова откройте +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,"Не разрешено Пожалуйста, отключите шаблон лабораторного теста" DocType: Sales Invoice Item,Qty as per Stock UOM,Кол-во в соответствии с ед.измерения запасов apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Имя Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Корневая Компания @@ -3687,6 +3690,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Тип бизнеса DocType: Sales Invoice,Consumer,потребитель apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Пожалуйста, выберите выделенной суммы, счет-фактура Тип и номер счета-фактуры в по крайней мере одном ряду" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Пожалуйста, установите серию имен для {0} через Настройка> Настройки> Серия имен" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Стоимость новой покупки apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Сделка требуется для Продукта {0} DocType: Grant Application,Grant Description,Описание гранта @@ -3713,7 +3717,6 @@ DocType: Payment Request,Transaction Details,Детали транзакции apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"Пожалуйста, нажмите на кнопку ""Generate Расписание"", чтобы получить график" DocType: Item,"Purchase, Replenishment Details","Покупка, детали пополнения" DocType: Products Settings,Enable Field Filters,Включить полевые фильтры -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товара> Группа товаров> Марка apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","«Товар, предоставленный клиентом» также не может быть предметом покупки" DocType: Blanket Order Item,Ordered Quantity,Заказанное количество apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","например ""Построить инструменты для строителей """ @@ -4185,7 +4188,7 @@ DocType: BOM,Operating Cost (Company Currency),Эксплуатационные DocType: Authorization Rule,Applicable To (Role),Применимо к (Роль) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Ожидающие листья DocType: BOM Update Tool,Replace BOM,Заменить спецификацию -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Код {0} уже существует +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Код {0} уже существует DocType: Patient Encounter,Procedures,процедуры apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Сделки не доступны для производства DocType: Asset Movement,Purpose,Цель @@ -4301,6 +4304,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Игнорировать DocType: Warranty Claim,Service Address,Адрес сервисного центра apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Импорт основных данных DocType: Asset Maintenance Task,Calibration,калибровка +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Элемент лабораторного теста {0} уже существует apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} - праздник компании apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Оплачиваемые часы apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Оставить уведомление о состоянии @@ -4665,7 +4669,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,Доход Регистрация DocType: Company,Default warehouse for Sales Return,Склад по умолчанию для возврата товара DocType: Pick List,Parent Warehouse,Родитель склад -DocType: Subscription,Net Total,Чистая Всего +DocType: C-Form Invoice Detail,Net Total,Чистая Всего apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Установите срок годности товара в днях, чтобы установить срок годности на основе даты изготовления плюс срок годности." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Спецификация по умолчанию для продукта {0} и проекта {1} не найдена apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,"Строка {0}: пожалуйста, установите способ оплаты в графике платежей" @@ -4780,7 +4784,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Целевая склад является обязательным для ряда {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Розничные операции DocType: Cheque Print Template,Primary Settings,Основные настройки -DocType: Attendance Request,Work From Home,Работа из дома +DocType: Attendance,Work From Home,Работа из дома DocType: Purchase Invoice,Select Supplier Address,Выбрать адрес поставщика apps/erpnext/erpnext/public/js/event.js,Add Employees,Добавить сотрудников DocType: Purchase Invoice Item,Quality Inspection,Контроль качества @@ -5024,8 +5028,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL авторизации apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Сумма {0} {1} {2} {3} DocType: Account,Depreciation,Амортизация -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Пожалуйста, удалите Сотрудника {0} \, чтобы отменить этот документ" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Количество акций и номеров акций несовместимы apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Поставщик (и) DocType: Employee Attendance Tool,Employee Attendance Tool,Учет посещаемости @@ -5334,7 +5336,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Критерии ана DocType: Cheque Print Template,Cheque Height,Cheque Высота DocType: Supplier,Supplier Details,Подробная информация о поставщике DocType: Setup Progress,Setup Progress,Установка готовности -DocType: Expense Claim,Approval Status,Статус утверждения apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},"От значение должно быть меньше, чем значение в строке {0}" DocType: Program,Intro Video,Вступительное видео DocType: Manufacturing Settings,Default Warehouses for Production,Склады по умолчанию для производства @@ -5678,7 +5679,6 @@ DocType: Purchase Invoice,Rounded Total,Округлые Всего apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Слоты для {0} не добавляются в расписание DocType: Product Bundle,List items that form the package.,"Список продуктов, которые формируют пакет" apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Целевое местоположение требуется при передаче актива {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Не разрешено. Отключите тестовый шаблон DocType: Sales Invoice,Distance (in km),Расстояние (в км) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Процент Распределение должно быть равно 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Пожалуйста, выберите Дата публикации, прежде чем выбрать партию" @@ -5808,7 +5808,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Прайс-лист валютный курс apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Все группы поставщиков DocType: Employee Boarding Activity,Required for Employee Creation,Требуется для создания сотрудников -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Поставщик> Тип поставщика apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},"Номер счета {0}, уже использованный в учетной записи {1}" DocType: GoCardless Mandate,Mandate,мандат DocType: Hotel Room Reservation,Booked,бронирования @@ -5874,7 +5873,6 @@ DocType: Production Plan Item,Product Bundle Item,Продукт Связка т DocType: Sales Partner,Sales Partner Name,Имя Партнера по продажам apps/erpnext/erpnext/hooks.py,Request for Quotations,Запрос на Предложения DocType: Payment Reconciliation,Maximum Invoice Amount,Максимальная Сумма счета -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () не удалось для пустого IBAN DocType: Normal Test Items,Normal Test Items,Обычные тестовые продукты DocType: QuickBooks Migrator,Company Settings,Настройки компании DocType: Additional Salary,Overwrite Salary Structure Amount,Перезаписать сумму заработной платы @@ -6028,6 +6026,7 @@ DocType: Issue,Resolution By Variance,Разрешение по отклонен DocType: Leave Allocation,Leave Period,Период отпуска DocType: Item,Default Material Request Type,Тип заявки на материал по умолчанию DocType: Supplier Scorecard,Evaluation Period,Период оценки +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Группа клиентов> Территория apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,неизвестный apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Рабочий заказ не создан apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6392,8 +6391,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Необходимое количество DocType: Lab Test Template,Lab Test Template,Шаблон лабораторных тестов apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Отчетный период перекрывается с {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Поставщик> Тип поставщика apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Сбыт DocType: Purchase Invoice Item,Total Weight,Общий вес +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Пожалуйста, удалите Сотрудника {0} \, чтобы отменить этот документ" DocType: Pick List Item,Pick List Item,Элемент списка выбора apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Комиссия по продажам DocType: Job Offer Term,Value / Description,Значение / Описание @@ -6508,6 +6510,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Подпись DocType: Bank Account,Party Type,Партия Тип DocType: Discounted Invoice,Discounted Invoice,Счет со скидкой +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Отметить посещаемость как DocType: Payment Schedule,Payment Schedule,График оплаты apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Сотрудник не найден для данного значения поля сотрудника. '{}': {} DocType: Item Attribute Value,Abbreviation,Аббревиатура @@ -6610,7 +6613,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Причина удержа DocType: Employee,Personal Email,Личная электронная почта apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Общей дисперсии DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Если включен, то система будет отправлять бухгалтерских проводок для инвентаризации автоматически." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () принял недействительный IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Посредничество apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Участие для работника {0} уже помечено на этот день DocType: Work Order Operation,"in Minutes @@ -6882,6 +6884,7 @@ DocType: Appointment,Customer Details,Данные клиента apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Печать IRS 1099 форм DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Проверьте, требуется ли Asset профилактическое обслуживание или калибровка" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Сокращение компании не может содержать более 5 символов +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Материнская компания должна быть группой компаний DocType: Employee,Reports to,Доклады ,Unpaid Expense Claim,Неоплаченные Авансовые Отчеты DocType: Payment Entry,Paid Amount,Оплаченная сумма @@ -6971,6 +6974,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Счетчик Opp apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,"Должны быть установлены как дата начала пробного периода, так и дата окончания пробного периода" apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Средняя оценка +DocType: Appointment,Appointment With,Встреча с apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Общая сумма платежа в Графе платежей должна быть равна Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",«Предоставленный клиентом товар» не может иметь оценку DocType: Subscription Plan Detail,Plan,План @@ -7104,7 +7108,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,"Выявления/Обращения, %" DocType: Bank Guarantee,Bank Account Info,Информация о банковском счете DocType: Bank Guarantee,Bank Guarantee Type,Тип банковской гарантии -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},Ошибка BankAccount.validate_iban () для действительного IBAN {} DocType: Payment Schedule,Invoice Portion,Часть счета ,Asset Depreciations and Balances,Активов Амортизация и противовесов apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Сумма {0} {1} переведен из {2} до {3} @@ -7773,7 +7776,6 @@ DocType: Dosage Form,Dosage Form,Лекарственная форма apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},"Пожалуйста, настройте Расписание Кампании в Кампании {0}" apps/erpnext/erpnext/config/buying.py,Price List master.,Мастер Прайс-лист. DocType: Task,Review Date,Дата пересмотра -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Отметить посещаемость как DocType: BOM,Allow Alternative Item,Разрешить альтернативный элемент apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"В квитанции о покупке нет ни одного предмета, для которого включена функция сохранения образца." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Счет-фактура Grand Total @@ -8004,7 +8006,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Максимальный лимит регрессии apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Прайс-лист не найден или отключен DocType: Content Activity,Last Activity ,Последняя активность -DocType: Student Applicant,Approved,Утверждено DocType: Pricing Rule,Price,Цена apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Сотрудник освобожден от {0} должен быть установлен как ""левые""" DocType: Guardian,Guardian,Родитель/попечитель @@ -8176,6 +8177,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Процент вычетов DocType: GL Entry,To Rename,Переименовать DocType: Stock Entry,Repack,Перепаковать apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Выберите, чтобы добавить серийный номер." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Пожалуйста, настройте систему имен инструкторов в «Образование»> «Настройки образования»" apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Пожалуйста, установите фискальный код для клиента "% s"" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Сначала выберите компанию DocType: Item Attribute,Numeric Values,Числовые значения @@ -8192,6 +8194,7 @@ DocType: Salary Detail,Additional Amount,Дополнительная сумма apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Корзина Пусто apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Пункт {0} не имеет серийного номера. Только сериализованные элементы \ могут иметь доставку на основе серийного номера +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Амортизированная сумма DocType: Vehicle,Model,Модель DocType: Work Order,Actual Operating Cost,Фактическая Эксплуатационные расходы DocType: Payment Entry,Cheque/Reference No,Чеками / ссылка № diff --git a/erpnext/translations/si.csv b/erpnext/translations/si.csv index defeffdfa9..8044e859dc 100644 --- a/erpnext/translations/si.csv +++ b/erpnext/translations/si.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,සම්මත බදු DocType: Exchange Rate Revaluation Account,New Exchange Rate,නව විනිමය අනුපාතිකය apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},ව්යවහාර මුදල් මිල ලැයිස්තුව {0} සඳහා අවශ්ය DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ගනුදෙනුව ගණනය කරනු ඇත. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,කරුණාකර සේවක නම් කිරීමේ පද්ධතිය මානව සම්පත්> මානව සම්පත් සැකසුම් තුළ සකසන්න DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,පාරිභෝගික ඇමතුම් DocType: Shift Type,Enable Auto Attendance,ස්වයංක්‍රීය පැමිණීම සක්‍රීය කරන්න @@ -95,6 +94,7 @@ DocType: Item Price,Multiple Item prices.,බහු විෂය මිල. DocType: SMS Center,All Supplier Contact,සියලු සැපයුම්කරු අමතන්න DocType: Support Settings,Support Settings,සහාය සැකසුම් apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,අවලංගු අක්තපත්‍ර +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,නිවසේ සිට වැඩ සලකුණු කරන්න apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC ලබා ගත හැකිය (පූර්ණ වශයෙන් වුවද) DocType: Amazon MWS Settings,Amazon MWS Settings,ඇමේසන් MWS සැකසුම් apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,වවුචර සැකසීම @@ -400,7 +400,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,අයිතම apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,සාමාජිකත්ව තොරතුරු apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: සැපයුම්කරු ගෙවිය යුතු ගිණුම් {2} එරෙහිව අවශ්ය වේ apps/erpnext/erpnext/config/buying.py,Items and Pricing,ද්රව්ය හා මිල ගණන් -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,පාරිභෝගික> පාරිභෝගික කණ්ඩායම> ප්‍රදේශය apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},මුළු පැය: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},දිනය සිට මුදල් වර්ෂය තුළ විය යුතුය. දිනය සිට උපකල්පනය = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -761,6 +760,7 @@ DocType: Request for Quotation,Request for Quotation,උද්ධෘත සඳ DocType: Healthcare Settings,Require Lab Test Approval,පරීක්ෂණය සඳහා අනුමැතිය අවශ්ය වේ DocType: Attendance,Working Hours,වැඩ කරන පැය apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,විශිෂ්ටයි +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},අයිතමය සඳහා UOM පරිවර්තන සාධකය ({0} -> {1}) හමු නොවීය: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,දැනට පවතින මාලාවේ ආරම්භක / වත්මන් අනුක්රමය අංකය වෙනස් කරන්න. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,ඇණවුම් කළ මුදලට සාපේක්ෂව වැඩි බිල්පත් ගෙවීමට ඔබට අවසර දී ඇති ප්‍රතිශතය. උදාහරණයක් ලෙස: අයිතමයක් සඳහා ඇණවුම් වටිනාකම ඩොලර් 100 ක් නම් සහ ඉවසීම 10% ක් ලෙස සකසා ඇත්නම් ඔබට ඩොලර් 110 ක් සඳහා බිල් කිරීමට අවසර දෙනු ලැබේ. DocType: Dosage Strength,Strength,ශක්තිය @@ -1238,7 +1238,6 @@ DocType: Timesheet,Total Billed Hours,මුළු අසූහත පැය DocType: Pricing Rule Item Group,Pricing Rule Item Group,මිල නියම කිරීමේ අයිතම සමූහය DocType: Travel Itinerary,Travel To,සංචාරය කරන්න apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,විනිමය අනුපාත නැවත ඇගයීමේ මාස්ටර්. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,කරුණාකර පැමිණීම සඳහා අංකනය කිරීමේ ශ්‍රේණිය සැකසුම> අංකනය මාලාව හරහා සකසන්න apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,මුදල කපා DocType: Leave Block List Allow,Allow User,පරිශීලක ඉඩ දෙන්න DocType: Journal Entry,Bill No,පනත් කෙටුම්පත මෙයට @@ -1591,6 +1590,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,සහන apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,සමමුහුර්තතාවයෙන් පිටත වටිනාකම් apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,වෙනස අගය +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,කරුණාකර පැමිණීම සඳහා අංකනය කිරීමේ ශ්‍රේණිය සැකසුම> අංකනය මාලාව හරහා සකසන්න DocType: SMS Log,Requested Numbers,ඉල්ලන ගණන් DocType: Volunteer,Evening,සන්ධ්යාව DocType: Quiz,Quiz Configuration,ප්‍රශ්නාවලිය වින්‍යාසය @@ -1757,6 +1757,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,පෙද DocType: Student Admission,Publish on website,වෙබ් අඩවිය ප්රකාශයට පත් කරනු ලබයි apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,"සැපයුම්කරු ගෙවීම් දිනය දිනය ගිය තැන, ශ්රී ලංකා තැපෑල වඩා වැඩි විය නොහැකි" DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,අයිතම කේතය> අයිතම සමූහය> වෙළඳ නාමය DocType: Subscription,Cancelation Date,අවලංගු දිනය DocType: Purchase Invoice Item,Purchase Order Item,මිලදී ගැනීමේ නියෝගයක් අයිතමය DocType: Agriculture Task,Agriculture Task,කෘෂිකාර්මික කාර්යය @@ -2353,7 +2354,6 @@ DocType: Promotional Scheme,Product Discount Slabs,නිෂ්පාදන ව DocType: Target Detail,Target Distribution,ඉලක්ක බෙදාහැරීම් DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 - තාවකාලික ඇගයීම අවසන් කිරීම apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,පක්ෂ සහ ලිපින ආනයනය කිරීම -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},අයිතමය සඳහා UOM පරිවර්තන සාධකය ({0} -> {1}) හමු නොවීය: {2} DocType: Salary Slip,Bank Account No.,බැංකු ගිණුම් අංක DocType: Naming Series,This is the number of the last created transaction with this prefix,මෙය මේ උපසර්ගය සහිත පසුගිය නිර්මාණය ගනුදෙනුව සංඛ්යාව වේ DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -3334,7 +3334,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),(කාල පත්රය apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,ගාස්තු කාලසටහන සාදන්න apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,නැවත පාරිභෝගික ආදායම් DocType: Soil Texture,Silty Clay Loam,සිල්ටි ක්ලේ ලොම් -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,කරුණාකර අධ්‍යාපන> අධ්‍යාපන සැකසුම් තුළ උපදේශක නම් කිරීමේ පද්ධතිය සකසන්න DocType: Quiz,Enter 0 to waive limit,සීමාව අතහැර දැමීමට 0 ඇතුලත් කරන්න DocType: Bank Statement Settings,Mapped Items,සිතියම්ගත අයිතම DocType: Amazon MWS Settings,IT,එය @@ -3393,6 +3392,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,ස්වයං-රියදු DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,සැපයුම් සිතුවම් ස්ථාවර apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},පේළියේ {0}: ද්රව්ය පනත් කෙටුම්පත අයිතමය {1} සඳහා සොයාගත නොහැකි DocType: Contract Fulfilment Checklist,Requirement,අවශ්යතාව +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,කරුණාකර සේවක නම් කිරීමේ පද්ධතිය මානව සම්පත්> මානව සම්පත් සැකසුම් තුළ සකසන්න DocType: Journal Entry,Accounts Receivable,ලැබිය යුතු ගිණුම් DocType: Quality Goal,Objectives,අරමුණු DocType: HR Settings,Role Allowed to Create Backdated Leave Application,පසුගාමී නිවාඩු අයදුම්පතක් සෑදීමට අවසර දී ඇති භූමිකාව @@ -3532,6 +3532,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,ව්යවහාරික apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,ආපසු හැරවීමේ ගාස්තුවට යටත් වන බාහිර සැපයුම් සහ අභ්‍යන්තර සැපයුම් පිළිබඳ විස්තර apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,නැවත විවෘත +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,අවසර නැත. කරුණාකර විද්‍යාගාර පරීක්ෂණ ආකෘතිය අක්‍රීය කරන්න DocType: Sales Invoice Item,Qty as per Stock UOM,කොටස් UOM අනුව යවන ලද apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 නම apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,රූට් සමාගම @@ -3616,7 +3617,6 @@ DocType: Payment Request,Transaction Details,ගනුදෙනු තොරත apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,කාලසටහන ලබා ගැනීම සඳහා 'උත්පාදනය උපෙල්ඛනෙය්' මත ක්ලික් කරන්න DocType: Item,"Purchase, Replenishment Details","මිලදී ගැනීම, නැවත පිරවීමේ විස්තර" DocType: Products Settings,Enable Field Filters,ක්ෂේත්‍ර පෙරහන් සක්‍රීය කරන්න -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,අයිතම කේතය> අයිතම සමූහය> වෙළඳ නාමය apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","පාරිභෝගිකයා විසින් සපයනු ලබන අයිතමය" මිලදී ගැනීමේ අයිතමය ද විය නොහැක DocType: Blanket Order Item,Ordered Quantity,නියෝග ප්රමාණ apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",උදා: "ඉදි කරන්නන් සඳහා වන මෙවලම් බිල්ඩ්" @@ -4080,7 +4080,7 @@ DocType: BOM,Operating Cost (Company Currency),මෙහෙයුම් වි DocType: Authorization Rule,Applicable To (Role),(අයුරු) කිරීම සඳහා අදාළ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,නොපැමිණෙන කොළ DocType: BOM Update Tool,Replace BOM,BOM ආදේශ කරන්න -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,කේත {0} දැනටමත් පවතී +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,කේත {0} දැනටමත් පවතී DocType: Patient Encounter,Procedures,පරිපාටිය apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,නිෂ්පාදනය සඳහා විකිණුම් නියෝග නොමැත DocType: Asset Movement,Purpose,අරමුණ @@ -4176,6 +4176,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,සේවක කාල DocType: Warranty Claim,Service Address,සේවා ලිපිනය apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,ප්‍රධාන දත්ත ආයාත කරන්න DocType: Asset Maintenance Task,Calibration,ක්රමාංකනය +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,පරීක්ෂණාගාර පරීක්ෂණ අයිතමය {0} දැනටමත් පවතී apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} යනු සමාගම් නිවාඩු දිනයකි apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,බිල් කළ හැකි පැය apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,තත්ත්වය දැනුම්දීම @@ -4521,7 +4522,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,වැටුප් රෙජිස්ටර් DocType: Company,Default warehouse for Sales Return,විකුණුම් ප්‍රතිලාභ සඳහා පෙරනිමි ගබඩාව DocType: Pick List,Parent Warehouse,මව් ගබඩාව -DocType: Subscription,Net Total,ශුද්ධ මුළු +DocType: C-Form Invoice Detail,Net Total,ශුද්ධ මුළු apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",නිෂ්පාදන දිනය සහ රාක්ක ආයු කාලය මත පදනම්ව කල් ඉකුත්වීම සඳහා අයිතමයේ රාක්කයේ ආයු කාලය දින තුළ සකසන්න. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},පෙරනිමි ද්රව්ය ලේඛණය අයිතමය {0} සඳහා සොයාගත නොහැකි හා ව්යාපෘති {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,පේළිය {0}: කරුණාකර ගෙවීම් ක්‍රමය ගෙවීම් කාලසටහනට සකසන්න @@ -4632,7 +4633,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},ඉලක්ක ගබඩා සංකීර්ණය පේළිය {0} සඳහා අනිවාර්ය වේ apps/erpnext/erpnext/config/retail.py,Retail Operations,සිල්ලර මෙහෙයුම් DocType: Cheque Print Template,Primary Settings,ප්රාථමික සැකසීම් -DocType: Attendance Request,Work From Home,නිවසේ සිට වැඩ කරන්න +DocType: Attendance,Work From Home,නිවසේ සිට වැඩ කරන්න DocType: Purchase Invoice,Select Supplier Address,සැපයුම්කරු ලිපිනය තෝරන්න apps/erpnext/erpnext/public/js/event.js,Add Employees,සේවක එකතු කරන්න DocType: Purchase Invoice Item,Quality Inspection,තත්ත්ව පරීක්ෂක @@ -4869,8 +4870,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,අවසරය URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},මුදල {0} {1} {2} {3} DocType: Account,Depreciation,ක්ෂය -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","මෙම ලේඛනය අවලංගු කිරීමට කරුණාකර සේවකයා {0} delete මකන්න" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,කොටස් ගණන හා කොටස් අංකය අස්ථාවර ය apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),සැපයුම්කරුවන් (ව) DocType: Employee Attendance Tool,Employee Attendance Tool,සේවක පැමිණීම මෙවලම @@ -5174,7 +5173,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,ශාක විශ් DocType: Cheque Print Template,Cheque Height,"එම ගාස්තුව මුදලින්, ෙචක්පතකින් උස" DocType: Supplier,Supplier Details,සැපයුම්කරු විස්තර DocType: Setup Progress,Setup Progress,ප්රගතිය සැකසීම -DocType: Expense Claim,Approval Status,පතේ තත්වය apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},වටිනාකම පේළිය {0} අගය කිරීමට වඩා අඩු විය යුතුය DocType: Program,Intro Video,හැඳින්වීමේ වීඩියෝව DocType: Manufacturing Settings,Default Warehouses for Production,නිෂ්පාදනය සඳහා පෙරනිමි ගබඩාවන් @@ -5510,7 +5508,6 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,විකිණ DocType: Purchase Invoice,Rounded Total,වටකුරු මුළු apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} සඳහා ස්ලට් වරුන්ට එකතු නොවේ DocType: Product Bundle,List items that form the package.,මෙම පැකේජය පිහිටුවීමට බව අයිතම ලැයිස්තුගත කරන්න. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,අවසර නොදේ. කරුණාකර ටෙස්ට් ටෙම්ප්ලේට අක්රිය කරන්න DocType: Sales Invoice,Distance (in km),දුර (කිලෝ මීටර්) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,ප්රතිශතයක් වෙන් කිරීම 100% ක් සමාන විය යුතුයි apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"කරුණාකර පක්ෂය තෝරා ගැනීමට පෙර ගිය තැන, දිනය තෝරා" @@ -5640,7 +5637,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,මිල ලැයිස්තුව විනිමය අනුපාත apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,සියලු සැපයුම් කණ්ඩායම් DocType: Employee Boarding Activity,Required for Employee Creation,සේවක නිර්මාණ සඳහා අවශ්ය වේ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,සැපයුම්කරු> සැපයුම්කරු වර්ගය apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},ගිණුම් අංකය {0} දැනටමත් ගිණුමට භාවිතා කර ඇත {1} DocType: GoCardless Mandate,Mandate,මැන්ඩේට් DocType: Hotel Room Reservation,Booked,වෙන් කර ඇත @@ -5705,7 +5701,6 @@ DocType: Production Plan Item,Product Bundle Item,නිෂ්පාදන ප DocType: Sales Partner,Sales Partner Name,විකුණුම් සහකරු නම apps/erpnext/erpnext/hooks.py,Request for Quotations,මිල කැඳවීම ඉල්ලීම DocType: Payment Reconciliation,Maximum Invoice Amount,උපරිම ඉන්වොයිසි මුදල -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,හිස් IBAN සඳහා BankAccount.validate_iban () අසමත් විය DocType: Normal Test Items,Normal Test Items,සාමාන්ය පරීක්ෂණ අයිතම DocType: QuickBooks Migrator,Company Settings,සමාගම් සැකසුම් DocType: Additional Salary,Overwrite Salary Structure Amount,වැටුප් ව්යුහය ප්රමාණය නවීකරණය කරන්න @@ -5856,6 +5851,7 @@ DocType: Issue,Resolution By Variance,විචලනය අනුව යෝජ DocType: Leave Allocation,Leave Period,නිවාඩු කාලය DocType: Item,Default Material Request Type,පෙරනිමි ද්රව්ය ඉල්ලීම් වර්ගය DocType: Supplier Scorecard,Evaluation Period,ඇගයීම් කාලය +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,පාරිභෝගික> පාරිභෝගික කණ්ඩායම> ප්‍රදේශය apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,නොදන්නා apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,වැඩ පිළිවෙල නිර්මාණය කර නැත apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6215,8 +6211,11 @@ DocType: Salary Component,Formula,සූත්රය apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,අනු # DocType: Material Request Plan Item,Required Quantity,අවශ්‍ය ප්‍රමාණය DocType: Lab Test Template,Lab Test Template,පරීක්ෂණ පරීක්ෂණ ආකෘතිය +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,සැපයුම්කරු> සැපයුම්කරු වර්ගය apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,විකුණුම් ගිණුම DocType: Purchase Invoice Item,Total Weight,සම්පූර්ණ බර +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","මෙම ලේඛනය අවලංගු කිරීමට කරුණාකර සේවකයා {0} delete මකන්න" DocType: Pick List Item,Pick List Item,ලැයිස්තු අයිතමය තෝරන්න apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,විකුණුම් මත කොමිසම DocType: Job Offer Term,Value / Description,අගය / විස්තරය @@ -6328,6 +6327,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,අත්සන් කර ඇත DocType: Bank Account,Party Type,පක්ෂය වර්ගය DocType: Discounted Invoice,Discounted Invoice,වට්ටම් ඉන්වොයිසිය +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,පැමිණීම ලෙස සලකුණු කරන්න DocType: Payment Schedule,Payment Schedule,ගෙවීම් උපලේඛනය apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ලබා දී ඇති සේවක ක්ෂේත්‍ර වටිනාකම සඳහා කිසිදු සේවකයෙකු හමු නොවීය. '{}': {} DocType: Item Attribute Value,Abbreviation,කෙටි යෙදුම් @@ -6428,7 +6428,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,කල් තබාගැ DocType: Employee,Personal Email,පුද්ගලික විද්යුත් apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,සමස්ත විචලතාව DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","මෙම පහසුකම සක්රීය කළ විට, පද්ධතිය ස්වයංක්රීයව බඩු තොග සඳහා ගිණුම් සටහන් ඇතුළත් කිරීම් පල කරන්නෙමු." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () පිළිගත් අවලංගු IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,තැරැව් ගාස්තු apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,සේවකයා සඳහා සහභාගි {0} දැනටමත් මේ දවස ලෙස ලකුණු කර ඇත DocType: Work Order Operation,"in Minutes @@ -6693,6 +6692,7 @@ DocType: Appointment,Customer Details,පාරිභෝගික විස් apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS 1099 ආකෘති මුද්‍රණය කරන්න DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,වත්කම් සඳහා නිවාරණ නඩත්තු කිරීම හෝ ක්රමාංකනය අවශ්ය නම් පරීක්ෂා කරන්න apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,සමාගම් කෙටි කිරීමේ අකුරු 5 කට වඩා වැඩි විය නොහැක +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,දෙමාපිය සමාගම සමූහ සමාගමක් විය යුතුය DocType: Employee,Reports to,වාර්තා කිරීමට ,Unpaid Expense Claim,නොගෙවූ වියදම් හිමිකම් DocType: Payment Entry,Paid Amount,ු ර් @@ -6780,6 +6780,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,විපක්ෂ ගණන් apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Trial Period ආරම්භක දිනය සහ පරීක්ෂණ කාලය අවසන් දිනය නියම කළ යුතුය apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,සාමාන්ය අනුපාතය +DocType: Appointment,Appointment With,සමඟ පත්වීම apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ගෙවීම් කිරීමේ උපලේඛනයේ මුළු මුදල / ග්රෑන්ඩ් / වටලා ඇති මුළු එකතුව සමාන විය යුතුය apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","පාරිභෝගිකයා විසින් සපයනු ලබන අයිතමයට" තක්සේරු අනුපාතයක් තිබිය නොහැක DocType: Subscription Plan Detail,Plan,සැලැස්ම @@ -6909,7 +6910,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,විපක්ෂ / ඊයම්% DocType: Bank Guarantee,Bank Account Info,බැංකු ගිණුම් තොරතුරු DocType: Bank Guarantee,Bank Guarantee Type,බැංකු ඇපකරය වර්ගය -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},වලංගු IBAN for Bank සඳහා BankAccount.validate_iban () අසමත් විය DocType: Payment Schedule,Invoice Portion,ඉන්වොයිසිය බිත්තිය ,Asset Depreciations and Balances,වත්කම් අගය පහත හා තුලනය apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},"මුදල {0} {1} {3} කර ගැනීම සඳහා, {2} මාරු" @@ -7558,7 +7558,6 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The share DocType: Dosage Form,Dosage Form,ආසාදන ආකෘතිය apps/erpnext/erpnext/config/buying.py,Price List master.,මිල ලැයිස්තුව ස්වාමියා. DocType: Task,Review Date,සමාලෝචන දිනය -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,පැමිණීම ලෙස සලකුණු කරන්න DocType: BOM,Allow Alternative Item,විකල්ප අයිතම වලට ඉඩ දෙන්න apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,මිලදී ගැනීමේ කුවිතාන්සිය තුළ රඳවා ගැනීමේ නියැදිය සක්‍රීය කර ඇති අයිතමයක් නොමැත. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ඉන්වොයිස් ග්‍රෑන්ඩ් එකතුව @@ -7784,7 +7783,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,මැක්ස් යළි සැකසීම apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,මිල ලැයිස්තුව සොයා හෝ ආබාධිත නොවන DocType: Content Activity,Last Activity ,අවසාන ක්‍රියාකාරකම -DocType: Student Applicant,Approved,අනුමත DocType: Pricing Rule,Price,මිල apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} 'වමේ' ලෙස සකස් කළ යුතු ය මත මුදා සේවක DocType: Guardian,Guardian,ගාඩියන් @@ -7956,6 +7954,7 @@ DocType: Taxable Salary Slab,Percent Deduction,ප්රතිශතය අඩ DocType: GL Entry,To Rename,නැවත නම් කිරීමට DocType: Stock Entry,Repack,අනූපම apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,අනුක්‍රමික අංකය එක් කිරීමට තෝරන්න. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,කරුණාකර අධ්‍යාපන> අධ්‍යාපන සැකසුම් තුළ උපදේශක නම් කිරීමේ පද්ධතිය සකසන්න apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',කරුණාකර '% s' පාරිභෝගිකයා සඳහා මූල්‍ය කේතය සකසන්න apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,කරුණාකර මුලින්ම සමාගම තෝරා ගන්න DocType: Item Attribute,Numeric Values,සංඛ්යාත්මක අගයන් @@ -7972,6 +7971,7 @@ DocType: Salary Detail,Additional Amount,අමතර මුදල apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,කරත්ත හිස් වේ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",අයිතමය {0} සතුව නැත. අනුපිළිවෙලට පමණක් සේයනය කළ අයිතමයන් \ serial number මත පදනම්ව බෙදා හැරීම කළ හැක +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,ක්ෂය කළ මුදල DocType: Vehicle,Model,ආදර්ශ DocType: Work Order,Actual Operating Cost,සැබෑ මෙහෙයුම් පිරිවැය DocType: Payment Entry,Cheque/Reference No,"එම ගාස්තුව මුදලින්, ෙචක්පතකින් / ෙයොමු අංකය" diff --git a/erpnext/translations/sk.csv b/erpnext/translations/sk.csv index 1de6a7527f..e2bf0a8e2b 100644 --- a/erpnext/translations/sk.csv +++ b/erpnext/translations/sk.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Suma štandardného oslobo DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nový kurz apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Mena je vyžadovaná pre Cenník {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Bude vypočítané v transakcii. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Nastavte systém pomenovávania zamestnancov v časti Ľudské zdroje> Nastavenia ľudských zdrojov DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Zákaznícky kontakt DocType: Shift Type,Enable Auto Attendance,Povoliť automatickú účasť @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Vše Dodavatel Kontakt DocType: Support Settings,Support Settings,nastavenie podporných apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Účet {0} sa pridal do podradenej spoločnosti {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Neplatné poverenia +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Označte prácu z domu apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC k dispozícii (či už v plnej op časti) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Settings apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Spracovávajú sa poukazy @@ -409,7 +409,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Čiastka dane z apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Podrobnosti o členstve apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Dodávateľ je potrebná proti zaplatení účtu {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Položky a Ceny -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníkov> Územie apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Celkom hodín: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},"Od data by měla být v rámci fiskálního roku. Za předpokladu, že od data = {0}" DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -456,7 +455,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Vybraná možnosť DocType: SG Creation Tool Course,SG Creation Tool Course,SG nástroj pre tvorbu ihriská DocType: Bank Statement Transaction Invoice Item,Payment Description,Popis platby -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Prosím pomenujte Series pre {0} cez Setup> Settings> Naming Series apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,nedostatočná Sklad DocType: Email Digest,New Sales Orders,Nové Prodejní objednávky DocType: Bank Account,Bank Account,Bankový účet @@ -778,6 +776,7 @@ DocType: Request for Quotation,Request for Quotation,Žiadosť o cenovú ponuku DocType: Healthcare Settings,Require Lab Test Approval,Vyžadovať schválenie testu laboratória DocType: Attendance,Working Hours,Pracovní doba apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Celkom nevybavené +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Prepočítavací faktor UOM ({0} -> {1}) nenájdený pre položku: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Změnit výchozí / aktuální pořadové číslo existujícího série. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Percentuálny podiel, ktorý vám umožňuje vyúčtovať viac oproti objednanej sume. Napríklad: Ak je hodnota objednávky 100 EUR pre položku a tolerancia je nastavená na 10%, potom máte povolené vyúčtovať 110 USD." DocType: Dosage Strength,Strength,pevnosť @@ -1271,7 +1270,6 @@ DocType: Timesheet,Total Billed Hours,Celkom Predpísané Hodiny DocType: Pricing Rule Item Group,Pricing Rule Item Group,Skupina položiek cenových pravidiel DocType: Travel Itinerary,Travel To,Cestovať do apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Master preceňovacieho kurzu. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavte číslovaciu sériu pre účasť cez Nastavenie> Číslovacie série apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Odepsat Částka DocType: Leave Block List Allow,Allow User,Umožňuje uživateli DocType: Journal Entry,Bill No,Bill No @@ -1646,6 +1644,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Pobídky apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Hodnoty nie sú synchronizované apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Hodnota rozdielu +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavte číslovaciu sériu pre účasť cez Nastavenie> Číslovacie série DocType: SMS Log,Requested Numbers,Požadované Čísla DocType: Volunteer,Evening,Večer DocType: Quiz,Quiz Configuration,Konfigurácia testu @@ -1813,6 +1812,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Z miesta DocType: Student Admission,Publish on website,Publikovať na webových stránkach apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Dodávateľ Dátum faktúry nemôže byť väčšia ako Dátum zverejnenia DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položiek> Značka DocType: Subscription,Cancelation Date,Dátum zrušenia DocType: Purchase Invoice Item,Purchase Order Item,Položka nákupnej objednávky DocType: Agriculture Task,Agriculture Task,Úloha poľnohospodárstva @@ -2420,7 +2420,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Dosky na zľavu produktov DocType: Target Detail,Target Distribution,Target Distribution DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 - Dokončenie predbežného hodnotenia apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Dovážajúce strany a adresy -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Prepočítavací faktor UOM ({0} -> {1}) nenájdený pre položku: {2} DocType: Salary Slip,Bank Account No.,Číslo bankového účtu DocType: Naming Series,This is the number of the last created transaction with this prefix,To je číslo poslední vytvořené transakci s tímto prefixem DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2815,6 +2814,9 @@ DocType: Company,Default Holiday List,Východzí zoznam sviatkov DocType: Pricing Rule,Supplier Group,Skupina dodávateľov apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Riadok {0}: čas od času aj na čas z {1} sa prekrýva s {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",Pre položku {1} už existuje kusovník s menom {0}.
Premenovali ste položku? Obráťte sa na technickú podporu administrátora apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Zásoby Pasíva DocType: Purchase Invoice,Supplier Warehouse,Dodavatel Warehouse DocType: Opportunity,Contact Mobile No,Kontakt Mobil @@ -3263,6 +3265,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Tabuľka stretnutí kvality apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Navštívte fóra +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Nie je možné dokončiť úlohu {0}, pretože jej závislá úloha {1} nie je dokončená / zrušená." DocType: Student,Student Mobile Number,Študent Číslo mobilného telefónu DocType: Item,Has Variants,Má varianty DocType: Employee Benefit Claim,Claim Benefit For,Nárok na dávku pre @@ -3425,7 +3428,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Celková suma Billing (cez T apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Vytvorte rozvrh poplatkov apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Repeat Customer Příjmy DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavte Pomenovací systém inštruktorov v časti Vzdelanie> Nastavenia vzdelávania DocType: Quiz,Enter 0 to waive limit,"Ak chcete upustiť od limitu, zadajte 0" DocType: Bank Statement Settings,Mapped Items,Mapované položky DocType: Amazon MWS Settings,IT,IT @@ -3459,7 +3461,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Nie je dostatok diel vytvorených alebo prepojených na {0}. \ Vytvorte alebo prepojte {1} Aktíva s príslušným dokumentom. DocType: Pricing Rule,Apply Rule On Brand,Použiť pravidlo na značku DocType: Task,Actual End Date (via Time Sheet),Skutočný dátum ukončenia (cez Time Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Úlohu {0} nemožno zavrieť, pretože jej závislá úloha {1} nie je uzavretá." DocType: Soil Texture,Soil Type,Typ pôdy apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Množstvo {0} {1} na {2} {3} ,Quotation Trends,Vývoje ponúk @@ -3489,6 +3490,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Samohybné vozidlo DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Hodnota karty dodávateľa je stála apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Riadok {0}: Nomenklatúra nebol nájdený pre výtlačku {1} DocType: Contract Fulfilment Checklist,Requirement,požiadavka +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Nastavte systém pomenovávania zamestnancov v časti Ľudské zdroje> Nastavenia ľudských zdrojov DocType: Journal Entry,Accounts Receivable,Pohledávky DocType: Quality Goal,Objectives,ciele DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Úloha povolená na vytvorenie aplikácie s opusteným dátumom @@ -3630,6 +3632,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,aplikovaný apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Podrobnosti o vonkajších dodávkach a vnútorných dodávkach podliehajúcich preneseniu daňovej povinnosti apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Znovu otvoriť +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Nepovolené. Zakážte šablónu testu laboratória DocType: Sales Invoice Item,Qty as per Stock UOM,Množstvo podľa skladovej MJ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Meno Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3689,6 +3692,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Typ podnikania DocType: Sales Invoice,Consumer,Spotrebiteľ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Prosím, vyberte alokovaná částka, typ faktury a číslo faktury v aspoň jedné řadě" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Prosím pomenujte Series pre {0} cez Setup> Settings> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Náklady na nový nákup apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Prodejní objednávky potřebný k bodu {0} DocType: Grant Application,Grant Description,Názov grantu @@ -3715,7 +3719,6 @@ DocType: Payment Request,Transaction Details,detaily transakcie apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"Prosím, klikněte na ""Generovat Schedule"", aby se plán" DocType: Item,"Purchase, Replenishment Details","Podrobnosti o nákupe, doplnení" DocType: Products Settings,Enable Field Filters,Povoliť filtre polí -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položiek> Značka apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also",„Položka poskytovaná zákazníkom“ nemôže byť tiež nákupnou položkou DocType: Blanket Order Item,Ordered Quantity,Objednané množstvo apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","napríklad ""Nástroje pre stavbárov """ @@ -4188,7 +4191,7 @@ DocType: BOM,Operating Cost (Company Currency),Prevádzkové náklady (Company m DocType: Authorization Rule,Applicable To (Role),Vztahující se na (Role) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Čakajúce listy DocType: BOM Update Tool,Replace BOM,Nahraďte kusovník -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kód {0} už existuje +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kód {0} už existuje DocType: Patient Encounter,Procedures,postupy apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Príkazy na predaj nie sú k dispozícii na výrobu DocType: Asset Movement,Purpose,Účel @@ -4305,6 +4308,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Ignorovať prekrytie ča DocType: Warranty Claim,Service Address,Servisní adresy apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Import kmeňových dát DocType: Asset Maintenance Task,Calibration,Kalibrácia +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Testovacia položka laboratória {0} už existuje apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} je firemný sviatok apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Fakturovateľné hodiny apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Zanechať upozornenie na stav @@ -4669,7 +4673,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,plat Register DocType: Company,Default warehouse for Sales Return,Predvolený sklad pre vrátenie predaja DocType: Pick List,Parent Warehouse,Parent Warehouse -DocType: Subscription,Net Total,Netto Spolu +DocType: C-Form Invoice Detail,Net Total,Netto Spolu apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Nastavte trvanlivosť položky v dňoch, aby ste nastavili expiráciu na základe dátumu výroby plus trvanlivosti." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Predvolený kusovník sa nenašiel pre položku {0} a projekt {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Riadok {0}: Nastavte si spôsob platby v pláne platieb @@ -4784,7 +4788,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target sklad je povinná pro řadu {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Maloobchodné operácie DocType: Cheque Print Template,Primary Settings,primárnej Nastavenie -DocType: Attendance Request,Work From Home,Práca z domu +DocType: Attendance,Work From Home,Práca z domu DocType: Purchase Invoice,Select Supplier Address,Vybrať Dodávateľ Address apps/erpnext/erpnext/public/js/event.js,Add Employees,Pridajte Zamestnanci DocType: Purchase Invoice Item,Quality Inspection,Kontrola kvality @@ -5028,8 +5032,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,Autorizačná adresa URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Množstvo {0} {1} {2} {3} DocType: Account,Depreciation,Odpisovanie -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Ak chcete tento dokument zrušiť, odstráňte zamestnanca {0} \" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Počet akcií a čísla akcií je nekonzistentný apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Dodavatel (é) DocType: Employee Attendance Tool,Employee Attendance Tool,Účasť zamestnancov Tool @@ -5339,7 +5341,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kritériá analýzy ras DocType: Cheque Print Template,Cheque Height,šek Výška DocType: Supplier,Supplier Details,Detaily dodávateľa DocType: Setup Progress,Setup Progress,Pokročilé nastavenie -DocType: Expense Claim,Approval Status,Stav schválení apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Z hodnota musí být menší než hodnota v řadě {0} DocType: Program,Intro Video,Úvodné video DocType: Manufacturing Settings,Default Warehouses for Production,Predvolené sklady na výrobu @@ -5683,7 +5684,6 @@ DocType: Purchase Invoice,Rounded Total,Zaoblený Total apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Sloty pre {0} nie sú pridané do plánu DocType: Product Bundle,List items that form the package.,"Seznam položek, které tvoří balíček." apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Cieľová poloha je vyžadovaná pri prenose diela {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nepovolené. Vypnite testovaciu šablónu DocType: Sales Invoice,Distance (in km),Vzdialenosť (v km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Podíl alokace by měla být ve výši 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Prosím, vyberte Dátum zverejnenia pred výberom Party" @@ -5814,7 +5814,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Katalogová cena Exchange Rate apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Všetky skupiny dodávateľov DocType: Employee Boarding Activity,Required for Employee Creation,Požadované pre tvorbu zamestnancov -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodávateľ> Typ dodávateľa apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Číslo účtu {0} už použité v účte {1} DocType: GoCardless Mandate,Mandate,mandát DocType: Hotel Room Reservation,Booked,rezervovaný @@ -5880,7 +5879,6 @@ DocType: Production Plan Item,Product Bundle Item,Položka produktového balíč DocType: Sales Partner,Sales Partner Name,Meno predajného partnera apps/erpnext/erpnext/hooks.py,Request for Quotations,Žiadosť o citátov DocType: Payment Reconciliation,Maximum Invoice Amount,Maximálna suma faktúry -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () zlyhal pre prázdny IBAN DocType: Normal Test Items,Normal Test Items,Normálne testované položky DocType: QuickBooks Migrator,Company Settings,Nastavenia firmy DocType: Additional Salary,Overwrite Salary Structure Amount,Prepísať sumu štruktúry platu @@ -6034,6 +6032,7 @@ DocType: Issue,Resolution By Variance,Rozlíšenie podľa odchýlky DocType: Leave Allocation,Leave Period,Opustiť obdobie DocType: Item,Default Material Request Type,Predvolený typ materiálovej požiadavky DocType: Supplier Scorecard,Evaluation Period,Hodnotiace obdobie +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníkov> Územie apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,nevedno apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Pracovná objednávka nebola vytvorená apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6397,8 +6396,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Požadované množstvo DocType: Lab Test Template,Lab Test Template,Šablóna testu laboratória apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Účtovné obdobie sa prekrýva s {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodávateľ> Typ dodávateľa apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Predajný účet DocType: Purchase Invoice Item,Total Weight,Celková váha +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ak chcete tento dokument zrušiť, odstráňte zamestnanca {0} \" DocType: Pick List Item,Pick List Item,Vyberte položku zoznamu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Provizia z prodeja DocType: Job Offer Term,Value / Description,Hodnota / Popis @@ -6513,6 +6515,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Zapnuté DocType: Bank Account,Party Type,Typ Party DocType: Discounted Invoice,Discounted Invoice,Zľavnená faktúra +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Označiť účasť ako DocType: Payment Schedule,Payment Schedule,Rozvrh platieb apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Pre danú hodnotu poľa zamestnanca sa nenašiel žiaden zamestnanec. '{}': {} DocType: Item Attribute Value,Abbreviation,Zkratka @@ -6615,7 +6618,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Dôvod pre pozastavenie DocType: Employee,Personal Email,Osobný e-mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Celkový rozptyl DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Pokud je povoleno, bude systém odesílat účetní položky k zásobám automaticky." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () akceptoval neplatný IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Makléřská apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Účasť na zamestnancov {0} je už označený pre tento deň DocType: Work Order Operation,"in Minutes @@ -6887,6 +6889,7 @@ DocType: Appointment,Customer Details,Podrobnosti zákazníkov apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Tlačte formuláre IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Skontrolujte, či si aktívum vyžaduje preventívnu údržbu alebo kalibráciu" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Skratka firmy nemôže mať viac ako 5 znakov +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Materská spoločnosť musí byť spoločnosťou v skupine DocType: Employee,Reports to,Zprávy ,Unpaid Expense Claim,Neplatené Náklady nárok DocType: Payment Entry,Paid Amount,Uhradená čiastka @@ -6976,6 +6979,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Musí sa nastaviť dátum spustenia skúšobného obdobia a dátum ukončenia skúšobného obdobia apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Priemerná hodnota +DocType: Appointment,Appointment With,Schôdzka s apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Celková čiastka platby v pláne platieb sa musí rovnať veľkému / zaokrúhlenému súčtu apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",„Položka poskytovaná zákazníkom“ nemôže mať mieru ocenenia DocType: Subscription Plan Detail,Plan,plán @@ -7109,7 +7113,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Olovo% DocType: Bank Guarantee,Bank Account Info,Informácie o bankovom účte DocType: Bank Guarantee,Bank Guarantee Type,Typ bankovej záruky -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () zlyhal pre platný IBAN {} DocType: Payment Schedule,Invoice Portion,Časť faktúry ,Asset Depreciations and Balances,Asset Odpisy a zostatkov apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Množstvo {0} {1} prevedená z {2} na {3} @@ -7780,7 +7783,6 @@ DocType: Dosage Form,Dosage Form,Dávkovací formulár apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Nastavte kampaň v kampani {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Ceník master. DocType: Task,Review Date,Review Datum -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Označiť účasť ako DocType: BOM,Allow Alternative Item,Povoliť alternatívnu položku apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Potvrdenie o kúpe nemá žiadnu položku, pre ktorú je povolená vzorka ponechania." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Celková faktúra @@ -8011,7 +8013,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Maximálny limit opakovania apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Ceník nebyl nalezen nebo zakázán DocType: Content Activity,Last Activity ,Posledná aktivita -DocType: Student Applicant,Approved,Schválený DocType: Pricing Rule,Price,Cena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Zamestnanec uvoľnený na {0} musí byť nastavený ako ""Opustil""" DocType: Guardian,Guardian,poručník @@ -8182,6 +8183,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Percentuálna zrážka DocType: GL Entry,To Rename,Premenovať DocType: Stock Entry,Repack,Přebalit apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Vyberte, ak chcete pridať sériové číslo." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavte Pomenovací systém inštruktorov v časti Vzdelanie> Nastavenia vzdelávania apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Prosím, nastavte daňový kód pre zákazníka '% s'" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Najskôr vyberte spoločnosť DocType: Item Attribute,Numeric Values,Číselné hodnoty @@ -8198,6 +8200,7 @@ DocType: Salary Detail,Additional Amount,Dodatočná suma apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Košík je prázdny apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Položka {0} neobsahuje žiadne sériové číslo. Serializované položky \ môžu mať dodávku na základe poradového čísla +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Odpisovaná suma DocType: Vehicle,Model,Modelka DocType: Work Order,Actual Operating Cost,Skutečné provozní náklady DocType: Payment Entry,Cheque/Reference No,Šek / Referenčné číslo diff --git a/erpnext/translations/sl.csv b/erpnext/translations/sl.csv index 408db89b29..ad70a22197 100644 --- a/erpnext/translations/sl.csv +++ b/erpnext/translations/sl.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Standardni znesek oprostit DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nov tečaj apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Valuta je potrebna za tečajnico {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Bo izračunano v transakciji. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Prosimo, nastavite sistem poimenovanja zaposlenih v kadrovskem sektorju> Nastavitve človeških virov" DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-YYYY- DocType: Purchase Order,Customer Contact,Stranka Kontakt DocType: Shift Type,Enable Auto Attendance,Omogoči samodejno udeležbo @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Vse Dobavitelj Kontakt DocType: Support Settings,Support Settings,Nastavitve podpora apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Račun {0} je dodan v otroškem podjetju {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Neveljavne poverilnice +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Označi delo od doma apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC Na voljo (v celoti v delu) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazonske nastavitve MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Obdelava bonov @@ -409,7 +409,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Znesek davka na apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Podrobnosti o članstvu apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: zahtevan je Dobavitelj za račun izdatkov {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Predmeti in Cene -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Stranka> Skupina kupcev> Ozemlje apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Skupno število ur: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Od datuma mora biti v poslovnem letu. Ob predpostavki Od datuma = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-YYYY.- @@ -456,7 +455,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Izbrana možnost DocType: SG Creation Tool Course,SG Creation Tool Course,SG ustvarjanja orodje za golf DocType: Bank Statement Transaction Invoice Item,Payment Description,Opis plačila -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Prosimo, nastavite Naming Series za {0} z nastavitvijo> Settings> Naming Series" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Nezadostna zaloga DocType: Email Digest,New Sales Orders,Novi prodajni nalogi DocType: Bank Account,Bank Account,Bančni račun @@ -778,6 +776,7 @@ DocType: Request for Quotation,Request for Quotation,Zahteva za ponudbo DocType: Healthcare Settings,Require Lab Test Approval,Zahtevajte odobritev testa za laboratorij DocType: Attendance,Working Hours,Delovni čas apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Skupaj izjemen +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverzije za UOM ({0} -> {1}) za element: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Spremenite izhodiščno / trenutno zaporedno številko obstoječega zaporedja. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Odstotek vam lahko zaračuna več v primerjavi z naročenim zneskom. Na primer: Če je vrednost naročila za izdelek 100 USD in je toleranca nastavljena na 10%, potem lahko zaračunate 110 USD." DocType: Dosage Strength,Strength,Moč @@ -1271,7 +1270,6 @@ DocType: Timesheet,Total Billed Hours,Skupaj Obračunane ure DocType: Pricing Rule Item Group,Pricing Rule Item Group,Skupina izdelkov s predpisi o cenah DocType: Travel Itinerary,Travel To,Potovati v apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Poveljnik prevrednotenja deviznega tečaja -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavite serijsko številčenje za udeležbo prek Setup> Numbering Series apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Napišite enkratnem znesku DocType: Leave Block List Allow,Allow User,Dovoli Uporabnik DocType: Journal Entry,Bill No,Bill Ne @@ -1628,6 +1626,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Spodbude apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Vrednosti niso sinhronizirane apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Vrednost razlike +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavite serijsko številčenje za udeležbo prek Setup> Numbering Series DocType: SMS Log,Requested Numbers,Zahtevane številke DocType: Volunteer,Evening,Večer DocType: Quiz,Quiz Configuration,Konfiguracija kviza @@ -1795,6 +1794,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Od kraja DocType: Student Admission,Publish on website,Objavi na spletni strani apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Datum dobavitelj na računu ne sme biti večja od Napotitev Datum DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.LLLL.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda izdelka> Skupina izdelkov> Blagovna znamka DocType: Subscription,Cancelation Date,Datum preklica DocType: Purchase Invoice Item,Purchase Order Item,Naročilnica item DocType: Agriculture Task,Agriculture Task,Kmetijska naloga @@ -2401,7 +2401,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Plošče s popustom na izdelk DocType: Target Detail,Target Distribution,Target Distribution DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Dokončanje začasne ocene apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Uvozne stranke in naslovi -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverzije za UOM ({0} -> {1}) za element: {2} DocType: Salary Slip,Bank Account No.,Št. bančnega računa DocType: Naming Series,This is the number of the last created transaction with this prefix,To je številka zadnjega ustvarjene transakcijo s tem predpono DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2795,6 +2794,9 @@ DocType: Company,Default Holiday List,Privzeti seznam praznikov DocType: Pricing Rule,Supplier Group,Skupina dobaviteljev apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Razlaga apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Vrstica {0}: V času in času {1} se prekrivajo z {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",Za element {1} že obstaja BOM z imenom {0}.
Ali ste izdelek preimenovali? Obrnite se na skrbnika / tehnično podporo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Zaloga Obveznosti DocType: Purchase Invoice,Supplier Warehouse,Dobavitelj Skladišče DocType: Opportunity,Contact Mobile No,Kontaktna mobilna številka @@ -3242,6 +3244,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-YYYY- DocType: Quality Meeting Table,Quality Meeting Table,Kakovostna tabela za sestanke apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Obiščite forume +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Naloge ni mogoče dokončati {0}, ker njegova odvisna naloga {1} ni dokončana / preklicana." DocType: Student,Student Mobile Number,Študent mobilno številko DocType: Item,Has Variants,Ima različice DocType: Employee Benefit Claim,Claim Benefit For,Claim Benefit For @@ -3402,7 +3405,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Skupni znesek plačevanja (p apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Ustvari urnik pristojbin apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Ponovite Customer Prihodki DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavite sistem poimenovanja inštruktorjev v izobraževanju> Nastavitve za izobraževanje DocType: Quiz,Enter 0 to waive limit,Vnesite 0 za omejitev omejitve DocType: Bank Statement Settings,Mapped Items,Kartirani elementi DocType: Amazon MWS Settings,IT,IT @@ -3436,7 +3438,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Ustvarjeno ali povezano z {0} ni dovolj sredstev. \ Ustvarite ali povežite {1} Sredstva z ustreznim dokumentom. DocType: Pricing Rule,Apply Rule On Brand,Uporabi pravilo o blagovni znamki DocType: Task,Actual End Date (via Time Sheet),Dejanski končni datum (preko Čas lista) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Naloge ni mogoče zapreti {0}, ker njena odvisna naloga {1} ni zaprta." DocType: Soil Texture,Soil Type,Vrsta tal apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Znesek {0} {1} proti {2} {3} ,Quotation Trends,Trendi ponudb @@ -3466,6 +3467,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Self-Vožnja vozil DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Stalni ocenjevalni list dobavitelja apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Vrstica {0}: Kosovnica nismo našli v postavki {1} DocType: Contract Fulfilment Checklist,Requirement,Zahteva +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Prosimo, nastavite sistem poimenovanja zaposlenih v kadrovski službi> Nastavitve človeških virov" DocType: Journal Entry,Accounts Receivable,Terjatve DocType: Quality Goal,Objectives,Cilji DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Vloga dovoljena za ustvarjanje programa za nazaj @@ -3607,6 +3609,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Applied apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,"Podrobnosti o zunanjih potrebščinah in notranjih zalogah, za katere je mogoče povratno polnjenje" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re-open +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Ni dovoljeno. Onemogočite predlogo za preskus laboratorija DocType: Sales Invoice Item,Qty as per Stock UOM,Kol. kot na UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Ime skrbnika2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3666,6 +3669,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Vrsta podjetja DocType: Sales Invoice,Consumer,Potrošniški apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Prosimo, izberite Dodeljeni znesek, fakture Vrsta in številka računa v atleast eno vrstico" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Prosimo, nastavite Naming Series za {0} z nastavitvijo> Settings> Naming Series" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Stroški New Nakup apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Sales Order potreben za postavko {0} DocType: Grant Application,Grant Description,Grant Opis @@ -3692,7 +3696,6 @@ DocType: Payment Request,Transaction Details,Podrobnosti transakcije apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"Prosimo, kliknite na "ustvarjajo Seznamu", da bi dobili razpored" DocType: Item,"Purchase, Replenishment Details","Podrobnosti o nakupu, dopolnitvi" DocType: Products Settings,Enable Field Filters,Omogoči filtre polja -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda izdelka> Skupina izdelkov> Blagovna znamka apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also",""Artikel, ki ga zagotavlja stranka", tudi ni mogoče kupiti" DocType: Blanket Order Item,Ordered Quantity,Naročeno Količina apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",npr "Build orodja za gradbenike" @@ -4164,7 +4167,7 @@ DocType: BOM,Operating Cost (Company Currency),Obratovalni stroški (družba Val DocType: Authorization Rule,Applicable To (Role),Ki se uporabljajo za (vloga) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Čakajoči listi DocType: BOM Update Tool,Replace BOM,Zamenjajte BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Koda {0} že obstaja +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Koda {0} že obstaja DocType: Patient Encounter,Procedures,Postopki apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Prodajna naročila niso na voljo za proizvodnjo DocType: Asset Movement,Purpose,Namen @@ -4261,6 +4264,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Prezri čas prekrivanja DocType: Warranty Claim,Service Address,Storitev Naslov apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Uvozi glavne podatke DocType: Asset Maintenance Task,Calibration,Praznovanje +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Predmet laboratorijskega testa {0} že obstaja apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} je praznik podjetja apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Obračunske ure apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Pustite obvestilo o stanju @@ -4614,7 +4618,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,plača Registracija DocType: Company,Default warehouse for Sales Return,Privzeto skladišče za vračilo prodaje DocType: Pick List,Parent Warehouse,Parent Skladišče -DocType: Subscription,Net Total,Neto Skupaj +DocType: C-Form Invoice Detail,Net Total,Neto Skupaj apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Nastavite rok uporabe izdelka v dnevih, da nastavite rok uporabnosti glede na datum izdelave in rok uporabnosti." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Privzeti BOM nismo našli v postavki {0} in projektno {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Vrstica {0}: v plačilni shemi nastavite način plačila @@ -4729,7 +4733,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Ciljna skladišče je obvezna za vrstico {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Maloprodajne dejavnosti DocType: Cheque Print Template,Primary Settings,primarni Nastavitve -DocType: Attendance Request,Work From Home,Delo z doma +DocType: Attendance,Work From Home,Delo z doma DocType: Purchase Invoice,Select Supplier Address,Izberite Dobavitelj naslov apps/erpnext/erpnext/public/js/event.js,Add Employees,Dodaj Zaposleni DocType: Purchase Invoice Item,Quality Inspection,Quality Inspection @@ -4973,8 +4977,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL avtorizacije apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Znesek {0} {1} {2} {3} DocType: Account,Depreciation,Amortizacija -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Prosimo, da izbrišete zaposlenega {0} \, če želite preklicati ta dokument" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Število delnic in številke delnic so neskladne apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Dobavitelj (-i) DocType: Employee Attendance Tool,Employee Attendance Tool,Zaposleni Udeležba Tool @@ -5281,7 +5283,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kriteriji za analizo ra DocType: Cheque Print Template,Cheque Height,Ček Višina DocType: Supplier,Supplier Details,Dobavitelj Podrobnosti DocType: Setup Progress,Setup Progress,Napredek nastavitve -DocType: Expense Claim,Approval Status,Stanje odobritve apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Iz mora biti vrednost manj kot na vrednosti v vrstici {0} DocType: Program,Intro Video,Intro video DocType: Manufacturing Settings,Default Warehouses for Production,Privzeta skladišča za proizvodnjo @@ -5625,7 +5626,6 @@ DocType: Purchase Invoice,Rounded Total,Zaokroženo skupaj apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Reže za {0} niso dodane v razpored DocType: Product Bundle,List items that form the package.,"Seznam predmetov, ki tvorijo paket." apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Med prenosom sredstev {0} je potrebna ciljna lokacija. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,"Ni dovoljeno. Prosimo, onemogočite preskusno predlogo" DocType: Sales Invoice,Distance (in km),Oddaljenost (v km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Odstotek dodelitve mora biti enaka 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Izberite datum objave pred izbiro stranko @@ -5756,7 +5756,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Cenik Exchange Rate apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Vse skupine dobaviteljev DocType: Employee Boarding Activity,Required for Employee Creation,Potreben za ustvarjanje zaposlenih -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavitelj> Vrsta dobavitelja apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Številka računa {0} je že uporabljena v računu {1} DocType: GoCardless Mandate,Mandate,Mandat DocType: Hotel Room Reservation,Booked,Rezervirano @@ -5822,7 +5821,6 @@ DocType: Production Plan Item,Product Bundle Item,Izdelek Bundle Postavka DocType: Sales Partner,Sales Partner Name,Prodaja Partner Name apps/erpnext/erpnext/hooks.py,Request for Quotations,Zahteva za Citati DocType: Payment Reconciliation,Maximum Invoice Amount,Največja Znesek računa -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,Za prazen IBAN ni uspel BankAccount.validate_iban () DocType: Normal Test Items,Normal Test Items,Normalni preskusni elementi DocType: QuickBooks Migrator,Company Settings,Nastavitve podjetja DocType: Additional Salary,Overwrite Salary Structure Amount,Znesek nadomestila plače prepišite @@ -5976,6 +5974,7 @@ DocType: Issue,Resolution By Variance,Ločljivost po različici DocType: Leave Allocation,Leave Period,Pustite obdobje DocType: Item,Default Material Request Type,Privzeto Material Vrsta Zahteva DocType: Supplier Scorecard,Evaluation Period,Ocenjevalno obdobje +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Stranka> Skupina kupcev> Ozemlje apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Neznan apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Delovni nalog ni bil ustvarjen apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6340,8 +6339,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Zahtevana količina DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Računovodsko obdobje se prekriva z {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavitelj> Vrsta dobavitelja apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Prodajni račun DocType: Purchase Invoice Item,Total Weight,Totalna teža +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Prosimo, da izbrišete zaposlenega {0} \, če želite preklicati ta dokument" DocType: Pick List Item,Pick List Item,Izberi element seznama apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisija za prodajo DocType: Job Offer Term,Value / Description,Vrednost / Opis @@ -6456,6 +6458,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Podpisano DocType: Bank Account,Party Type,Vrsta Party DocType: Discounted Invoice,Discounted Invoice,Popustni račun +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Označi udeležbo kot DocType: Payment Schedule,Payment Schedule,Urnik plačila apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Za določeno vrednost polja zaposlenega ni bilo najdenega zaposlenega. '{}': {} DocType: Item Attribute Value,Abbreviation,Kratica @@ -6558,7 +6561,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Razlog za zaustavitev DocType: Employee,Personal Email,Osebna Email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Skupne variance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Če je omogočeno, bo sistem objavili računovodske vnose za popis samodejno." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () sprejel neveljaven IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Posredništvo apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Udeležba na zaposlenega {0} je že označen za ta dan DocType: Work Order Operation,"in Minutes @@ -6829,6 +6831,7 @@ DocType: Appointment,Customer Details,Podrobnosti strank apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Natisni obrazci IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Preverite, ali sredstva potrebujejo preventivno vzdrževanje ali kalibracijo" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Kratica podjetja ne sme imeti več kot 5 znakov +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Matična družba mora biti skupinska družba DocType: Employee,Reports to,Poročila ,Unpaid Expense Claim,Neplačana Expense zahtevek DocType: Payment Entry,Paid Amount,Znesek Plačila @@ -6918,6 +6921,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Štetje apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Določiti je treba začetni datum preizkusnega obdobja in datum konca poskusnega obdobja apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Povprečna hitrost +DocType: Appointment,Appointment With,Sestanek s apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Skupni znesek plačila v urniku plačil mora biti enak znesku zaokroženo / zaokroženo apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",""Izdelek, ki ga zagotavlja stranka", ne more imeti stopnje vrednotenja" DocType: Subscription Plan Detail,Plan,Načrt @@ -7051,7 +7055,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,OPP / svinec% DocType: Bank Guarantee,Bank Account Info,Informacije o bančnem računu DocType: Bank Guarantee,Bank Guarantee Type,Vrsta bančne garancije -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () ni uspel za veljavno IBAN {} DocType: Payment Schedule,Invoice Portion,Delež računa ,Asset Depreciations and Balances,Premoženjem amortizacije in Stanja apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Znesek {0} {1} je preselil iz {2} na {3} @@ -7720,7 +7723,6 @@ DocType: Dosage Form,Dosage Form,Odmerni obrazec apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},"Prosimo, nastavite razpored akcije v kampanji {0}" apps/erpnext/erpnext/config/buying.py,Price List master.,Cenik gospodar. DocType: Task,Review Date,Pregled Datum -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Označi udeležbo kot DocType: BOM,Allow Alternative Item,Dovoli alternativni element apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Potrdilo o nakupu nima nobenega predmeta, za katerega bi bil omogočen Retain Sample." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Račun za skupni znesek @@ -7950,7 +7952,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Najvišja poskusna omejitev apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Cenik ni mogoče najti ali onemogočena DocType: Content Activity,Last Activity ,Zadnja aktivnost -DocType: Student Applicant,Approved,Odobreno DocType: Pricing Rule,Price,Cena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Zaposleni razrešen na {0} mora biti nastavljen kot "levo" DocType: Guardian,Guardian,Guardian @@ -8122,6 +8123,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Odstotek odbitka DocType: GL Entry,To Rename,Če želite preimenovati DocType: Stock Entry,Repack,Zapakirajte apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Izberite, če želite dodati serijsko številko." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavite sistem poimenovanja inštruktorjev v izobraževanju> Nastavitve za izobraževanje apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Prosimo, nastavite davčno kodo za stranko '% s'" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Najprej izberite podjetje DocType: Item Attribute,Numeric Values,Numerične vrednosti @@ -8138,6 +8140,7 @@ DocType: Salary Detail,Additional Amount,Dodatni znesek apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Košarica je Prazna apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Element {0} nima serijske številke. Samo serilializirani predmeti \ lahko imajo dostavo na podlagi serijske št +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Znesek amortizacije DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Dejanski operacijski stroškov DocType: Payment Entry,Cheque/Reference No,Ček / referenčna številka diff --git a/erpnext/translations/sq.csv b/erpnext/translations/sq.csv index 585fad445d..6bdf35dd4c 100644 --- a/erpnext/translations/sq.csv +++ b/erpnext/translations/sq.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Shuma standarde e përjash DocType: Exchange Rate Revaluation Account,New Exchange Rate,Norma e re e këmbimit apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Valuta është e nevojshme për Lista Çmimi {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Do të llogaritet në transaksion. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ju lutemi vendosni Sistemin e Emërtimit të Punonjësve në Burimet Njerëzore> Cilësimet e BNJ DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Customer Contact DocType: Shift Type,Enable Auto Attendance,Aktivizoni pjesëmarrjen automatike @@ -95,6 +94,7 @@ DocType: Item Price,Multiple Item prices.,Çmimet shumta artikull. DocType: SMS Center,All Supplier Contact,Të gjitha Furnizuesi Kontakt DocType: Support Settings,Support Settings,Cilësimet mbështetje apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Kredencialet e pavlefshme +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Shëno punën nga shtëpia apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC në dispozicion (qoftë në pjesën e plotë të op) DocType: Amazon MWS Settings,Amazon MWS Settings,Cilësimet e Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Kuponat e përpunimit @@ -404,7 +404,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Shuma e taksës apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Detajet e Anëtarësimit apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Furnizuesi është i detyruar kundrejt llogarisë pagueshme {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Artikuj dhe Çmimeve -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klienti> Grupi i klientëve> Territori apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Gjithsej orë: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Nga Data duhet të jetë brenda vitit fiskal. Duke supozuar Nga Data = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,FDH-PMR-.YYYY.- @@ -451,7 +450,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Opsioni i zgjedhur DocType: SG Creation Tool Course,SG Creation Tool Course,SG Kursi Krijimi Tool DocType: Bank Statement Transaction Invoice Item,Payment Description,Përshkrimi i Pagesës -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ju lutemi vendosni Seritë e Emërtimit për {0} përmes Konfigurimit> Cilësimet> Seritë e Emrave apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Stock pamjaftueshme DocType: Email Digest,New Sales Orders,Shitjet e reja Urdhërat DocType: Bank Account,Bank Account,Llogarisë Bankare @@ -1251,7 +1249,6 @@ DocType: Timesheet,Total Billed Hours,Orët totale faturuara DocType: Pricing Rule Item Group,Pricing Rule Item Group,Grupi i Rregullave të mimeve DocType: Travel Itinerary,Travel To,Udhëtoni në apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Master i rivlerësimit të kursit të këmbimit. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ju lutemi vendosni seritë e numrave për Pjesëmarrje përmes Konfigurimit> Seritë e numrave apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Shkruani Off Shuma DocType: Leave Block List Allow,Allow User,Lejojë përdoruesin DocType: Journal Entry,Bill No,Bill Asnjë @@ -1605,6 +1602,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Nxitjet apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Vlerat jashtë sinkronizimit apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Vlera e diferencës +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ju lutemi vendosni seritë e numrave për Pjesëmarrje përmes Konfigurimit> Seritë e numrave DocType: SMS Log,Requested Numbers,Numrat kërkuara DocType: Volunteer,Evening,mbrëmje DocType: Quiz,Quiz Configuration,Konfigurimi i kuizit @@ -1771,6 +1769,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Nga Vendi DocType: Student Admission,Publish on website,Publikojë në faqen e internetit apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Furnizuesi Data e faturës nuk mund të jetë më i madh se mbi postimet Data DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kodi i Artikullit> Grupi i Artikujve> Marka DocType: Subscription,Cancelation Date,Data e anulimit DocType: Purchase Invoice Item,Purchase Order Item,Rendit Blerje Item DocType: Agriculture Task,Agriculture Task,Detyra e Bujqësisë @@ -3189,6 +3188,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Tabela e Takimeve Cilësore apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Vizito forumet +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Nuk mund të përfundojë detyra {0} pasi detyra e saj e varur {1} nuk përmblidhen / anulohen. DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,Ka Variantet DocType: Employee Benefit Claim,Claim Benefit For,Përfitoni nga kërkesa për @@ -3349,7 +3349,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Total Shuma Faturimi (via Ko apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Krijoni orarin e tarifave apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Përsëriteni ardhurat Klientit DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ju lutemi vendosni Sistemin e Emërtimit të Instruktorëve në Arsim> Cilësimet e arsimit DocType: Quiz,Enter 0 to waive limit,Vendosni 0 për të hequr dorë nga kufiri DocType: Bank Statement Settings,Mapped Items,Artikujt e mbledhur DocType: Amazon MWS Settings,IT,IT @@ -3380,7 +3379,6 @@ apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depr ,Maintenance Schedules,Mirëmbajtja Oraret DocType: Pricing Rule,Apply Rule On Brand,Aplikoni rregullin mbi markën DocType: Task,Actual End Date (via Time Sheet),Aktuale End Date (via Koha Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Nuk mund të mbyllet detyra {0} pasi detyra e saj e varur {1} nuk është e mbyllur. DocType: Soil Texture,Soil Type,Lloji i dheut apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Shuma {0} {1} kundër {2} {3} ,Quotation Trends,Kuotimit Trendet @@ -3409,6 +3407,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Self-Driving automjeteve DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Përputhësi i rezultatit të furnitorit apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill e materialeve nuk u gjet për pika {1} DocType: Contract Fulfilment Checklist,Requirement,kërkesë +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ju lutemi vendosni Sistemin e Emërtimit të Punonjësve në Burimet Njerëzore> Cilësimet e BNJ DocType: Journal Entry,Accounts Receivable,Llogaritë e arkëtueshme DocType: Quality Goal,Objectives,objektivat DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Roli i lejuar për të krijuar aplikacionin për pushime të vonuara @@ -3547,6 +3546,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,i aplikuar apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Detajet e furnizimeve të jashtme dhe furnizimet e brendshme që mund të ngarkohen me të kundërt apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Ri-hapur +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Nuk lejohet. Ju lutemi çaktivizoni Modelin e Testit të Laboratorit DocType: Sales Invoice Item,Qty as per Stock UOM,Qty sipas Stock UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Emri Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Kompania Root @@ -3606,6 +3606,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Lloj i biznesit DocType: Sales Invoice,Consumer,konsumator apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Ju lutem, përzgjidhni Shuma e ndarë, tip fature, si dhe numrin e faturës në atleast një rresht" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ju lutemi vendosni Seritë e Emërtimit për {0} përmes Konfigurimit> Cilësimet> Seritë e Emrave apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kostoja e blerjes së Re apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Rendit Shitjet e nevojshme për Item {0} DocType: Grant Application,Grant Description,Përshkrimi i Grantit @@ -3632,7 +3633,6 @@ DocType: Payment Request,Transaction Details,Detajet e Transaksionit apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,Ju lutem klikoni në "Generate" Listën për të marrë orarin DocType: Item,"Purchase, Replenishment Details","Detajet e blerjes, rimbushjes" DocType: Products Settings,Enable Field Filters,Aktivizoni filtrat e fushës -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kodi i Artikullit> Grupi i Artikujve> Marka apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","Artikujt e siguruar nga klienti" nuk mund të jenë gjithashtu Artikulli i Blerjes DocType: Blanket Order Item,Ordered Quantity,Sasi të Urdhërohet apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",p.sh. "Ndërtimi mjetet për ndërtuesit" @@ -4098,7 +4098,7 @@ DocType: BOM,Operating Cost (Company Currency),Kosto Operative (Company Valuta) DocType: Authorization Rule,Applicable To (Role),Për të zbatueshme (Roli) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Në pritje të lë DocType: BOM Update Tool,Replace BOM,Replace BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kodi {0} tashmë ekziston +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kodi {0} tashmë ekziston DocType: Patient Encounter,Procedures,procedurat apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Urdhrat e shitjes nuk janë në dispozicion për prodhim DocType: Asset Movement,Purpose,Qëllim @@ -4539,7 +4539,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,Paga Regjistrohu DocType: Company,Default warehouse for Sales Return,Depo e paracaktuar për kthimin e shitjeve DocType: Pick List,Parent Warehouse,Magazina Parent -DocType: Subscription,Net Total,Net Total +DocType: C-Form Invoice Detail,Net Total,Net Total apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Vendosni kohëzgjatjen e ruajtjes së sendit në ditë, për të caktuar skadimin bazuar në datën e prodhimit, plus jetëgjatësinë." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Default BOM nuk u gjet për Item {0} dhe Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rreshti {0}: Ju lutemi vendosni Mënyrën e Pagesës në Programin e Pagesave @@ -4650,7 +4650,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Depo objektiv është i detyrueshëm për rresht {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Operacionet me pakicë DocType: Cheque Print Template,Primary Settings,Parametrat kryesore -DocType: Attendance Request,Work From Home,Punë nga shtëpia +DocType: Attendance,Work From Home,Punë nga shtëpia DocType: Purchase Invoice,Select Supplier Address,Zgjidh Furnizuesi Adresa apps/erpnext/erpnext/public/js/event.js,Add Employees,Shto Punonjës DocType: Purchase Invoice Item,Quality Inspection,Cilësia Inspektimi @@ -4888,8 +4888,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL-ja e autorizimit apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Shuma {0} {1} {2} {3} DocType: Account,Depreciation,Amortizim -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Ju lutemi fshini punonjësin {0} \ për të anulluar këtë dokument" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Numri i aksioneve dhe numri i aksioneve nuk janë në përputhje apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Furnizuesi (s) DocType: Employee Attendance Tool,Employee Attendance Tool,Punonjës Pjesëmarrja Tool @@ -5195,7 +5193,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kriteret e analizës s DocType: Cheque Print Template,Cheque Height,Çek Lartësia DocType: Supplier,Supplier Details,Detajet Furnizuesi DocType: Setup Progress,Setup Progress,Progresi i konfigurimit -DocType: Expense Claim,Approval Status,Miratimi Statusi apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Nga Vlera duhet të jetë më pak se të vlerës në rresht {0} DocType: Program,Intro Video,Intro Video DocType: Manufacturing Settings,Default Warehouses for Production,Depot e paracaktuar për prodhim @@ -5528,7 +5525,6 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,shes DocType: Purchase Invoice,Rounded Total,Rrumbullakuar Total apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Vendet për {0} nuk janë shtuar në orar DocType: Product Bundle,List items that form the package.,Artikuj lista që formojnë paketë. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nuk lejohet. Ju lutemi disable Template Test DocType: Sales Invoice,Distance (in km),Distanca (në km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Alokimi përqindje duhet të jetë e barabartë me 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Ju lutem, përzgjidhni datën e postimit para se të zgjedhur Partinë" @@ -5657,7 +5653,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Lista e Çmimeve Exchange Rate apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Të gjitha grupet e furnizuesve DocType: Employee Boarding Activity,Required for Employee Creation,Kërkohet për Krijimin e Punonjësve -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizuesi> Lloji i furnizuesit apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Numri i llogarisë {0} që përdoret tashmë në llogarinë {1} DocType: GoCardless Mandate,Mandate,mandat DocType: Hotel Room Reservation,Booked,i rezervuar @@ -5722,7 +5717,6 @@ DocType: Production Plan Item,Product Bundle Item,Produkt Bundle Item DocType: Sales Partner,Sales Partner Name,Emri Sales Partner apps/erpnext/erpnext/hooks.py,Request for Quotations,Kërkesën për kuotimin DocType: Payment Reconciliation,Maximum Invoice Amount,Shuma maksimale Faturë -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () dështoi për IBAN të zbrazët DocType: Normal Test Items,Normal Test Items,Artikujt e Testimit Normal DocType: QuickBooks Migrator,Company Settings,Cilësimet e kompanisë DocType: Additional Salary,Overwrite Salary Structure Amount,Mbishkruaj shumën e strukturës së pagës @@ -5871,6 +5865,7 @@ DocType: Issue,Resolution By Variance,Rezolucion nga Variance DocType: Leave Allocation,Leave Period,Lini periudhën DocType: Item,Default Material Request Type,Default Kërkesa Tipe Materiali DocType: Supplier Scorecard,Evaluation Period,Periudha e vlerësimit +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klienti> Grupi i klientëve> Territori apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,I panjohur apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Rendi i punës nuk është krijuar apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6224,8 +6219,11 @@ DocType: Salary Component,Formula,formulë apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Sasia e kërkuar DocType: Lab Test Template,Lab Test Template,Modeli i testimit të laboratorit +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizuesi> Lloji i furnizuesit apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Llogaria e Shitjes DocType: Purchase Invoice Item,Total Weight,Pesha Totale +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ju lutemi fshini punonjësin {0} \ për të anulluar këtë dokument" DocType: Pick List Item,Pick List Item,Zgjidh artikullin e listës apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisioni për Shitje DocType: Job Offer Term,Value / Description,Vlera / Përshkrim @@ -6338,6 +6336,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Nënshkruar DocType: Bank Account,Party Type,Lloji Partia DocType: Discounted Invoice,Discounted Invoice,Faturë e zbritur +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Shënoni frekuentimin si DocType: Payment Schedule,Payment Schedule,Orari i pagesës apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Asnjë punonjës nuk u gjet për vlerën e dhënë në terren të punonjësve. '{}': {} DocType: Item Attribute Value,Abbreviation,Shkurtim @@ -6437,7 +6436,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Arsyeja për të vendosur DocType: Employee,Personal Email,Personale Email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Ndryshimi Total DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Nëse aktivizuar, sistemi do të shpallë shënimet e kontabilitetit për inventarizimin automatikisht." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () pranoi IBAN të pavlefshëm { apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerimi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Pjesëmarrja për {0} punonjësi është shënuar tashmë për këtë ditë DocType: Work Order Operation,"in Minutes @@ -6703,6 +6701,7 @@ DocType: Appointment,Customer Details,Detajet e klientit apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Shtypni formularët IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Kontrolloni nëse Aseti kërkon mirëmbajtje parandaluese ose kalibrim apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Shkurtimi i kompanisë nuk mund të ketë më shumë se 5 karaktere +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Kompania mëmë duhet të jetë një kompani në grup DocType: Employee,Reports to,Raportet për ,Unpaid Expense Claim,Papaguar shpenzimeve Kërkesa DocType: Payment Entry,Paid Amount,Paid Shuma @@ -6788,6 +6787,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Duhet të përcaktohet si data e fillimit të periudhës së gjykimit dhe data e përfundimit të periudhës së gjykimit apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Norma mesatare +DocType: Appointment,Appointment With,Emërimi Me apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Shuma totale e pagesës në orarin e pagesës duhet të jetë e barabartë me grandin / totalin e rrumbullakët apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Artikujt e siguruar nga klienti" nuk mund të ketë Shkallën e Vlerësimit DocType: Subscription Plan Detail,Plan,plan @@ -6917,7 +6917,6 @@ DocType: Customer,Customer Primary Contact,Kontakti Primar i Klientit apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Informacioni i llogarisë bankare DocType: Bank Guarantee,Bank Guarantee Type,Lloji i Garancisë Bankare -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () dështoi për IBAN të vlefshëm DocType: Payment Schedule,Invoice Portion,Pjesa e faturës ,Asset Depreciations and Balances,Nënçmime aseteve dhe Bilancet apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Shuma {0} {1} transferuar nga {2} të {3} @@ -7571,7 +7570,6 @@ DocType: Dosage Form,Dosage Form,Formulari i Dozimit apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Ju lutemi vendosni Programin e Fushatës në Fushatë {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Lista e Çmimeve mjeshtër. DocType: Task,Review Date,Data shqyrtim -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Shënoni frekuentimin si DocType: BOM,Allow Alternative Item,Lejo artikullin alternativ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Pranimi i Blerjes nuk ka ndonjë artikull për të cilin është aktivizuar Shembulli i Mbajtjes. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Fatura e përgjithshme totale @@ -7795,7 +7793,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Kërce Max Retry apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Lista e Çmimeve nuk u gjet ose me aftësi të kufizuara DocType: Content Activity,Last Activity ,Aktiviteti i fundit -DocType: Student Applicant,Approved,I miratuar DocType: Pricing Rule,Price,Çmim apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Punonjës lirohet për {0} duhet të jetë vendosur si 'majtë' DocType: Guardian,Guardian,kujdestar @@ -7967,6 +7964,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Përqindja e zbritjes DocType: GL Entry,To Rename,Për ta riemëruar DocType: Stock Entry,Repack,Ripaketoi apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Zgjidhni për të shtuar numrin serik. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ju lutemi vendosni Sistemin e Emërtimit të Instruktorëve në Arsim> Cilësimet e arsimit apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Ju lutemi vendosni Kodin Fiskal për '% s' të konsumatorit apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Ju lutem zgjidhni fillimisht Kompaninë DocType: Item Attribute,Numeric Values,Vlerat numerike @@ -7983,6 +7981,7 @@ DocType: Salary Detail,Additional Amount,Shuma shtesë apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Shporta është bosh apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Artikulli {0} nuk ka Serial No. Vetëm artikujt e serilializuar \ mund të kenë shpërndarje bazuar në Serial No +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Shuma e zhvlerësuar DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Aktuale Kosto Operative DocType: Payment Entry,Cheque/Reference No,Çek / Reference No diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv index 71b251836b..cf871ef95f 100644 --- a/erpnext/translations/sr.csv +++ b/erpnext/translations/sr.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Стандардни из DocType: Exchange Rate Revaluation Account,New Exchange Rate,Нова девизна стопа apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Валута је потребан за ценовнику {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Биће обрачунато у овој трансакцији. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Молимо вас да подесите систем именовања запослених у људским ресурсима> ХР подешавања DocType: Delivery Trip,MAT-DT-.YYYY.-,МАТ-ДТ-ИИИИ.- DocType: Purchase Order,Customer Contact,Кориснички Контакт DocType: Shift Type,Enable Auto Attendance,Омогући аутоматско присуство @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Све Снабдевач Контак DocType: Support Settings,Support Settings,Подршка подешавања apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Рачун {0} се додаје у дечијем предузећу {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Неважећи акредитив +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Означи рад од куће apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),Доступан ИТЦ (било у целокупном делу) DocType: Amazon MWS Settings,Amazon MWS Settings,Амазон МВС подешавања apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Обрада ваучера @@ -409,7 +409,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Износ по apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Детаљи о чланству apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Добављач је обавезан против плативог обзир {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Предмети и цене -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Купац> Група купаца> Територија apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Укупно часова: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Од датума треба да буде у оквиру фискалне године. Под претпоставком Од датума = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,ХЛЦ-ПМР-ИИИИ.- @@ -456,7 +455,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Изабрана опција DocType: SG Creation Tool Course,SG Creation Tool Course,СГ Стварање Алат курс DocType: Bank Statement Transaction Invoice Item,Payment Description,Опис плаћања -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Молимо поставите Наминг Сериес за {0} путем Подешавање> Подешавања> Именовање серије apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,nedovoljno Сток DocType: Email Digest,New Sales Orders,Нове продајних налога DocType: Bank Account,Bank Account,Банковни рачун @@ -777,6 +775,7 @@ DocType: Request for Quotation,Request for Quotation,Захтев за пону DocType: Healthcare Settings,Require Lab Test Approval,Захтевати одобрење за тестирање лабораторија DocType: Attendance,Working Hours,Радно време apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Тотал Оутстандинг +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Фактор конверзије УОМ ({0} -> {1}) није пронађен за ставку: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Промена стартовања / струја број редни постојеће серије. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Проценат вам је дозвољено да наплатите више у односу на наручени износ. На пример: Ако је вредност за наруџбу 100 долара, а толеранција постављена на 10%, онда вам је дозвољено да наплатите 110 долара." DocType: Dosage Strength,Strength,Снага @@ -1269,7 +1268,6 @@ DocType: Timesheet,Total Billed Hours,Укупно Обрачунате сат DocType: Pricing Rule Item Group,Pricing Rule Item Group,Скупина правила правила о ценама DocType: Travel Itinerary,Travel To,Путују у apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Мастер ревалоризације курса -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Молимо вас да подесите серију нумерирања за Аттенданце путем Подешавање> Серија бројања apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Отпис Износ DocType: Leave Block List Allow,Allow User,Дозволите кориснику DocType: Journal Entry,Bill No,Бил Нема @@ -1645,6 +1643,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Подстицаји apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Вредности ван синхронизације apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Вредност разлике +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Молимо вас да подесите серију нумерирања за Аттенданце путем Подешавање> Серија нумерирања DocType: SMS Log,Requested Numbers,Тражени Бројеви DocType: Volunteer,Evening,Вече DocType: Quiz,Quiz Configuration,Конфигурација квиза @@ -1812,6 +1811,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Фром DocType: Student Admission,Publish on website,Објави на сајту apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Добављач Фактура Датум не може бити већи од датума када је послата DocType: Installation Note,MAT-INS-.YYYY.-,МАТ-ИНС-.ИИИИ.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код артикла> Група артикала> Марка DocType: Subscription,Cancelation Date,Датум отказивања DocType: Purchase Invoice Item,Purchase Order Item,Куповина ставке поруџбине DocType: Agriculture Task,Agriculture Task,Пољопривреда задатак @@ -2419,7 +2419,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Плоче с попусто DocType: Target Detail,Target Distribution,Циљна Дистрибуција DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Завршетак привремене процене apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Увозне стране и адресе -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Фактор конверзије УОМ ({0} -> {1}) није пронађен за ставку: {2} DocType: Salary Slip,Bank Account No.,Банковни рачун бр DocType: Naming Series,This is the number of the last created transaction with this prefix,То је број последње створеног трансакције са овим префиксом DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2814,6 +2813,9 @@ DocType: Company,Default Holiday List,Уобичајено Холидаи Лис DocType: Pricing Rule,Supplier Group,Група добављача apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Дигест apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Ред {0}: Од времена и доба {1} преклапа са {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",БОМ са именом {0} већ постоји за ставку {1}.
Да ли сте преименовали предмет? Молимо контактирајте администратора / техничку подршку apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Акции Обязательства DocType: Purchase Invoice,Supplier Warehouse,Снабдевач Магацин DocType: Opportunity,Contact Mobile No,Контакт Мобиле Нема @@ -3260,6 +3262,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,МАТ-КА-ИИИИ.- DocType: Quality Meeting Table,Quality Meeting Table,Стол за састанке квалитета apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Посетите форум +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Не могу извршити задатак {0} јер његов зависни задатак {1} није довршен / отказан. DocType: Student,Student Mobile Number,Студент Број мобилног телефона DocType: Item,Has Variants,Хас Варијанте DocType: Employee Benefit Claim,Claim Benefit For,Захтевај повластицу за @@ -3421,7 +3424,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Укупно Износ об apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Креирајте распоред накнада apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Поновите Кориснички Приход DocType: Soil Texture,Silty Clay Loam,Силти Цлаи Лоам -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Поставите систем именовања инструктора у Образовање> Подешавања образовања DocType: Quiz,Enter 0 to waive limit,Унесите 0 да бисте одбили границу DocType: Bank Statement Settings,Mapped Items,Маппед Итемс DocType: Amazon MWS Settings,IT,ТО @@ -3455,7 +3457,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Нема довољно створених средстава или повезаних са {0}. \ Молимо направите или повежите {1} Имовина са одговарајућим документом. DocType: Pricing Rule,Apply Rule On Brand,Примените правило на марку DocType: Task,Actual End Date (via Time Sheet),Стварна Датум завршетка (преко Тиме Схеет) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Задатак {0} се не може затворити јер његов зависни задатак {1} није затворен. DocType: Soil Texture,Soil Type,Врста земљишта apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Износ {0} {1} против {2} {3} ,Quotation Trends,Котировочные тенденции @@ -3485,6 +3486,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Селф-Дривинг воз DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Добављач Сцорецард Стандинг apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Билл оф Материалс није пронађена за тачком {1} DocType: Contract Fulfilment Checklist,Requirement,Услов +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Молимо вас да подесите систем именовања запослених у људским ресурсима> ХР подешавања DocType: Journal Entry,Accounts Receivable,Потраживања DocType: Quality Goal,Objectives,Циљеви DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Улога је дозвољена за креирање назадне апликације за одлазак @@ -3626,6 +3628,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,примењен apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Појединости о спољним потрепштинама и унутрашњим залихама подложним повратном пуњењу apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Снова откройте +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Није дозвољено. Искључите предложак лабораторијског теста DocType: Sales Invoice Item,Qty as per Stock UOM,Кол по залихама ЗОЦГ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Гуардиан2 Име apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Роот Цомпани @@ -3685,6 +3688,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Врста пословања DocType: Sales Invoice,Consumer,Потрошач apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Молимо Вас да изаберете издвајају, Тип фактуре и број фактуре у атлеаст једном реду" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Молимо поставите Наминг Сериес за {0} путем Подешавање> Подешавања> Именовање серије apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Трошкови куповини apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Заказать продаж требуется для Пункт {0} DocType: Grant Application,Grant Description,Грант Опис @@ -3711,7 +3715,6 @@ DocType: Payment Request,Transaction Details,Детаљи трансакције apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"Пожалуйста, нажмите на кнопку "" Generate Расписание "" , чтобы получить график" DocType: Item,"Purchase, Replenishment Details","Детаљи куповине, допуњавања" DocType: Products Settings,Enable Field Filters,Омогући филтре поља -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код артикла> Група артикала> Марка apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also",„Предмет који пружа клијент“ такође не може бити предмет куповине DocType: Blanket Order Item,Ordered Quantity,Наручено Количина apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","например ""Build инструменты для строителей """ @@ -4182,7 +4185,7 @@ DocType: BOM,Operating Cost (Company Currency),Оперативни трошко DocType: Authorization Rule,Applicable To (Role),Важећи Да (улога) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Пендинг Леавес DocType: BOM Update Tool,Replace BOM,Замените БОМ -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Код {0} већ постоји +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Код {0} већ постоји DocType: Patient Encounter,Procedures,Процедура apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Продајни налози нису доступни за производњу DocType: Asset Movement,Purpose,Намена @@ -4299,6 +4302,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Презрети вре DocType: Warranty Claim,Service Address,Услуга Адреса apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Увези главне податке DocType: Asset Maintenance Task,Calibration,Калибрација +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Предмет лабораторијског теста {0} већ постоји apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} је празник компаније apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Сати на наплату apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Оставите статусну поруку @@ -4664,7 +4668,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,плата Регистрација DocType: Company,Default warehouse for Sales Return,Подразумевано складиште за повраћај продаје DocType: Pick List,Parent Warehouse,родитељ Магацин -DocType: Subscription,Net Total,Нето Укупно +DocType: C-Form Invoice Detail,Net Total,Нето Укупно apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Подесите рок трајања артикала у данима како бисте поставили рок употребе на основу датума производње плус рок трајања. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Стандардно БОМ није пронађен за тачком {0} и пројекат {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Ред {0}: Молимо вас да подесите Начин плаћања у Распореду плаћања @@ -4779,7 +4783,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Целевая склад является обязательным для ряда {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Ретаил Оператионс DocType: Cheque Print Template,Primary Settings,primarni Подешавања -DocType: Attendance Request,Work From Home,Рад од куће +DocType: Attendance,Work From Home,Рад од куће DocType: Purchase Invoice,Select Supplier Address,Избор добављача Адреса apps/erpnext/erpnext/public/js/event.js,Add Employees,Додај Запослени DocType: Purchase Invoice Item,Quality Inspection,Провера квалитета @@ -4970,6 +4974,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,[Error],[Г apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Усклађивање уноса DocType: Sales Order,In Words will be visible once you save the Sales Order.,У речи ће бити видљив када сачувате продајних налога. ,Employee Birthday,Запослени Рођендан +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Ред # {0}: Трошкови {1} не припада компанији {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Изаберите датум завршетка за комплетно поправку DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Студент партије Присуство Алат apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,лимит Цроссед @@ -5022,8 +5027,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,УРЛ ауторизације apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Износ {0} {1} {2} {3} DocType: Account,Depreciation,амортизация -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Избришите запосленика {0} \ да бисте отказали овај документ" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Број акција и бројеви учешћа су недоследни apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Супплиер (с) DocType: Employee Attendance Tool,Employee Attendance Tool,Запослени Присуство Алат @@ -5333,7 +5336,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Критеријуми DocType: Cheque Print Template,Cheque Height,Чек Висина DocType: Supplier,Supplier Details,Добављачи Детаљи DocType: Setup Progress,Setup Progress,Напредак подешавања -DocType: Expense Claim,Approval Status,Статус одобравања apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},"От значение должно быть меньше , чем значение в строке {0}" DocType: Program,Intro Video,Интро Видео DocType: Manufacturing Settings,Default Warehouses for Production,Подразумевано Складишта за производњу @@ -5676,7 +5678,6 @@ DocType: Purchase Invoice,Rounded Total,Роундед Укупно apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Слотови за {0} нису додати у распоред DocType: Product Bundle,List items that form the package.,Листа ствари које чине пакет. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Циљана локација је обавезна током преноса имовине {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Није дозвољено. Молим вас искључите Тест Темплате DocType: Sales Invoice,Distance (in km),Удаљеност (у км) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Процент Распределение должно быть равно 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Молимо одаберите датум постања пре избора Парти @@ -5807,7 +5808,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Цена курсној листи apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Све групе добављача DocType: Employee Boarding Activity,Required for Employee Creation,Потребно за стварање запослених -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добављач> врста добављача apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Број рачуна {0} већ се користи на налогу {1} DocType: GoCardless Mandate,Mandate,Мандат DocType: Hotel Room Reservation,Booked,Резервисан @@ -5873,7 +5873,6 @@ DocType: Production Plan Item,Product Bundle Item,Производ Бундле DocType: Sales Partner,Sales Partner Name,Продаја Име партнера apps/erpnext/erpnext/hooks.py,Request for Quotations,Захтев за Куотатионс DocType: Payment Reconciliation,Maximum Invoice Amount,Максимални износ фактуре -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,БанкАццоунт.валидате_ибан () није успео за празан ИБАН DocType: Normal Test Items,Normal Test Items,Нормални тестови DocType: QuickBooks Migrator,Company Settings,Компанија Подешавања DocType: Additional Salary,Overwrite Salary Structure Amount,Прекорачити износ плата у структури @@ -6027,6 +6026,7 @@ DocType: Issue,Resolution By Variance,Резолуција по варијант DocType: Leave Allocation,Leave Period,Оставите Период DocType: Item,Default Material Request Type,Уобичајено Материјал Врста Захтева DocType: Supplier Scorecard,Evaluation Period,Период евалуације +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Купац> Група купаца> Територија apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Непознат apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Радни налог није креиран apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6392,8 +6392,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Сери DocType: Material Request Plan Item,Required Quantity,Потребна количина DocType: Lab Test Template,Lab Test Template,Лаб тест шаблон apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Рачуноводствени период се преклапа са {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добављач> врста добављача apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Рачун продаје DocType: Purchase Invoice Item,Total Weight,Укупна маса +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Избришите запосленика {0} \ да бисте отказали овај документ" DocType: Pick List Item,Pick List Item,Изаберите ставку листе apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Комиссия по продажам DocType: Job Offer Term,Value / Description,Вредност / Опис @@ -6508,6 +6511,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Сигнед Он DocType: Bank Account,Party Type,партия Тип DocType: Discounted Invoice,Discounted Invoice,Рачун са попустом +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Означи присуство као DocType: Payment Schedule,Payment Schedule,Динамика плаћања apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},За одређену вредност поља запосленог није пронађен ниједан запослени. '{}': {} DocType: Item Attribute Value,Abbreviation,Скраћеница @@ -6610,7 +6614,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Разлог за став DocType: Employee,Personal Email,Лични Е-маил apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Укупна разлика DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ако је укључен, систем ће писати уносе рачуноводствене инвентар аутоматски." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},БанкАццоунт.валидате_ибан () прихваћен неважећим ИБАН {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,посредништво apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Присуство за запосленог {0} је већ означена за овај дан DocType: Work Order Operation,"in Minutes @@ -6882,6 +6885,7 @@ DocType: Appointment,Customer Details,Кориснички Детаљи apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Испиши обрасце ИРС 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Проверите да ли имовина захтева превентивно одржавање или калибрацију apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Скраћеница компаније не може имати више од 5 знакова +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Матична компанија мора бити компанија у групи DocType: Employee,Reports to,Извештаји ,Unpaid Expense Claim,Неплаћени расходи Захтев DocType: Payment Entry,Paid Amount,Плаћени Износ @@ -6969,6 +6973,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,опп Точка apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Морају се подесити датум почетка пробног периода и датум завршетка пробног периода apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Просечна стопа +DocType: Appointment,Appointment With,Састанак са apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Укупан износ плаћања у распореду плаћања мора бити једнак Гранд / заокруженом укупно apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",„Предмет који пружа клијент“ не може имати стопу вредновања DocType: Subscription Plan Detail,Plan,План @@ -7102,7 +7107,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Опп / Олово% DocType: Bank Guarantee,Bank Account Info,Информације о банковном рачуну DocType: Bank Guarantee,Bank Guarantee Type,Тип гаранције банке -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},БанкАццоунт.валидате_ибан () није успео за важећи ИБАН {} DocType: Payment Schedule,Invoice Portion,Портфељ фактуре ,Asset Depreciations and Balances,Средстава Амортизација и ваге apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Износ {0} {1} је прешао из {2} у {3} @@ -7772,7 +7776,6 @@ DocType: Dosage Form,Dosage Form,Дозни облик apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Молимо вас да подесите распоред кампање у кампањи {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Мастер Прайс-лист . DocType: Task,Review Date,Прегледајте Дате -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Означи присуство као DocType: BOM,Allow Alternative Item,Дозволи алтернативу apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Потврда о куповини нема ставку за коју је омогућен задржати узорак. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Фактура Гранд Тотал @@ -8002,7 +8005,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Макс ретри лимит apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Ценовник није пронађен или онемогућен DocType: Content Activity,Last Activity ,Последња активност -DocType: Student Applicant,Approved,Одобрено DocType: Pricing Rule,Price,цена apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Сотрудник освобожден от {0} должен быть установлен как "" левые""" DocType: Guardian,Guardian,старатељ @@ -8174,6 +8176,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Проценат одбијања DocType: GL Entry,To Rename,Да преименујете DocType: Stock Entry,Repack,Препаковати apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Изаберите да додате серијски број. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Поставите систем именовања инструктора у Образовање> Подешавања образовања apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Молимо поставите фискални код за клијента '% с' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Прво изаберите Компанију DocType: Item Attribute,Numeric Values,Нумеричке вредности @@ -8190,6 +8193,7 @@ DocType: Salary Detail,Additional Amount,Додатни износ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Корпа је празна apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Ставка {0} нема Серијски број. Само серијализирани предмети \ могу имати испоруку засновану на Серијски број +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Амортизовани износ DocType: Vehicle,Model,модел DocType: Work Order,Actual Operating Cost,Стварни Оперативни трошкови DocType: Payment Entry,Cheque/Reference No,Чек / Референца број diff --git a/erpnext/translations/sr_sp.csv b/erpnext/translations/sr_sp.csv index 5eb0c85c20..d1dfa940c5 100644 --- a/erpnext/translations/sr_sp.csv +++ b/erpnext/translations/sr_sp.csv @@ -810,7 +810,7 @@ DocType: Shipping Rule Condition,Shipping Rule Condition,Uslovi pravila nabavke apps/erpnext/erpnext/config/help.py,Opening Stock Balance,Početno stanje zalihe ,Customer Credit Balance,Kreditni limit kupca apps/erpnext/erpnext/public/js/templates/address_list.html,No address added yet.,Adresa još nije dodata. -DocType: Subscription,Net Total,Ukupno bez PDV-a +DocType: C-Form Invoice Detail,Net Total,Ukupno bez PDV-a DocType: Sales Invoice,Total Qty,Ukupna kol. DocType: Purchase Invoice,Return,Povraćaj DocType: Sales Order Item,Delivery Warehouse,Skladište dostave diff --git a/erpnext/translations/sv.csv b/erpnext/translations/sv.csv index a66da32d4a..b882651bb9 100644 --- a/erpnext/translations/sv.csv +++ b/erpnext/translations/sv.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Standard skattebefrielse b DocType: Exchange Rate Revaluation Account,New Exchange Rate,Ny växelkurs apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Valuta krävs för prislista {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Kommer att beräknas i transaktionen. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Installera anställdes namngivningssystem i mänskliga resurser> HR-inställningar DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Kundkontakt DocType: Shift Type,Enable Auto Attendance,Aktivera automatisk närvaro @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Alla Leverantörskontakter DocType: Support Settings,Support Settings,support Inställningar apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Konto {0} läggs till i barnföretaget {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Ogiltiga uppgifter +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Markera arbete hemifrån apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC tillgängligt (oavsett om det är fullständigt) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS-inställningar apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Bearbetar kuponger @@ -409,7 +409,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Artikel Skatteb apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Medlemsuppgifter apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Leverantör krävs mot betalkonto {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Produkter och prissättning -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kund> Kundgrupp> Territorium apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Totalt antal timmar: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Från Datum bör ligga inom räkenskapsåret. Förutsatt Från Datum = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -456,7 +455,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Valt alternativ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Betalningsbeskrivning -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ange Naming Series för {0} via Setup> Inställningar> Naming Series apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,otillräcklig Stock DocType: Email Digest,New Sales Orders,Ny kundorder DocType: Bank Account,Bank Account,Bankkonto @@ -778,6 +776,7 @@ DocType: Request for Quotation,Request for Quotation,Offertförfrågan DocType: Healthcare Settings,Require Lab Test Approval,Kräv laboratorietest godkännande DocType: Attendance,Working Hours,Arbetstimmar apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Totalt Utestående +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-omvandlingsfaktor ({0} -> {1}) hittades inte för artikeln: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Ändra start / aktuella sekvensnumret av en befintlig serie. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,Procentandel du får fakturera mer mot det beställda beloppet. Till exempel: Om ordervärdet är $ 100 för en artikel och toleransen är inställd på 10% får du fakturera $ 110. DocType: Dosage Strength,Strength,Styrka @@ -1270,7 +1269,6 @@ DocType: Timesheet,Total Billed Hours,Totalt Fakturerade Timmar DocType: Pricing Rule Item Group,Pricing Rule Item Group,Prissättningsartikelgrupp DocType: Travel Itinerary,Travel To,Resa till apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Valutakursrevaluering master. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ställ in numreringsserier för närvaro via Setup> Numbering Series apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Avskrivningsbelopp DocType: Leave Block List Allow,Allow User,Tillåt användaren DocType: Journal Entry,Bill No,Fakturanr @@ -1626,6 +1624,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Sporen apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Värden utan synk apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Skillnadsvärde +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ställ in numreringsserier för närvaro via Setup> Numbering Series DocType: SMS Log,Requested Numbers,Begärda nummer DocType: Volunteer,Evening,Kväll DocType: Quiz,Quiz Configuration,Quizkonfiguration @@ -1793,6 +1792,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Från pla DocType: Student Admission,Publish on website,Publicera på webbplats apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Leverantörsfakturor Datum kan inte vara större än Publiceringsdatum DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Produktkod> Produktgrupp> Märke DocType: Subscription,Cancelation Date,Avbokningsdatum DocType: Purchase Invoice Item,Purchase Order Item,Inköpsorder Artikeln DocType: Agriculture Task,Agriculture Task,Jordbruksuppgift @@ -2400,7 +2400,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Produktrabattplattor DocType: Target Detail,Target Distribution,Target Fördelning DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Slutförande av preliminär bedömning apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importera parter och adresser -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-omvandlingsfaktor ({0} -> {1}) hittades inte för artikeln: {2} DocType: Salary Slip,Bank Account No.,Bankkonto nr DocType: Naming Series,This is the number of the last created transaction with this prefix,Detta är numret på den senast skapade transaktionen med detta prefix DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2794,6 +2793,9 @@ DocType: Company,Default Holiday List,Standard kalender DocType: Pricing Rule,Supplier Group,Leverantörsgrupp apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Sammandrag apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Rad {0}: Från tid och att tiden på {1} överlappar med {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",En BOM med namn {0} finns redan för artikel {1}.
Har du bytt namn på artikeln? Kontakta administratör / teknisk support apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Stock Skulder DocType: Purchase Invoice,Supplier Warehouse,Leverantör Lager DocType: Opportunity,Contact Mobile No,Kontakt Mobil nr @@ -3242,6 +3244,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Mötesbord för kvalitet apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Besök forumet +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Kan inte slutföra uppgift {0} eftersom dess beroende uppgift {1} inte är kompletterade / avbrutna. DocType: Student,Student Mobile Number,Student Mobilnummer DocType: Item,Has Variants,Har Varianter DocType: Employee Benefit Claim,Claim Benefit For,Erfordra förmån för @@ -3402,7 +3405,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Totalt Billing Belopp (via T apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Skapa avgiftsschema apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Upprepa kund Intäkter DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Installera instruktörens namngivningssystem i utbildning> Utbildningsinställningar DocType: Quiz,Enter 0 to waive limit,Ange 0 för att avstå från gränsen DocType: Bank Statement Settings,Mapped Items,Mappade objekt DocType: Amazon MWS Settings,IT,DET @@ -3436,7 +3438,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Det finns inte tillräckligt med tillgångar skapade eller länkade till {0}. \ Skapa eller länka {1} Tillgångar med respektive dokument. DocType: Pricing Rule,Apply Rule On Brand,Tillämpa regel om märke DocType: Task,Actual End Date (via Time Sheet),Faktisk Slutdatum (via Tidrapportering) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Kan inte stänga uppgift {0} eftersom dess beroende uppgift {1} inte är stängd. DocType: Soil Texture,Soil Type,Marktyp apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Belopp {0} {1} mot {2} {3} ,Quotation Trends,Offert Trender @@ -3466,6 +3467,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Självkörande fordon DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Leverantörs Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials hittades inte för objektet {1} DocType: Contract Fulfilment Checklist,Requirement,Krav +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Installera anställdes namngivningssystem i mänskliga resurser> HR-inställningar DocType: Journal Entry,Accounts Receivable,Kundreskontra DocType: Quality Goal,Objectives,mål DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Roll tillåten för att skapa backdaterad lämna ansökan @@ -3607,6 +3609,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Applicerad apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Detaljer om leveranser och leveranser tillåtna som kan återvända apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Återuppta +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Inte tillåtet. Inaktivera Lab-testmallen DocType: Sales Invoice Item,Qty as per Stock UOM,Antal per lager UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Namn apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3666,6 +3669,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Typ av företag DocType: Sales Invoice,Consumer,Konsument apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Välj tilldelade beloppet, Faktura Typ och fakturanumret i minst en rad" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ange Naming Series för {0} via Setup> Inställningar> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kostnader för nya inköp apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Kundorder krävs för punkt {0} DocType: Grant Application,Grant Description,Grant Beskrivning @@ -3692,7 +3696,6 @@ DocType: Payment Request,Transaction Details,Transaktions Detaljer apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"Klicka på ""Skapa schema"" för att få schemat" DocType: Item,"Purchase, Replenishment Details","Köp, detaljer om påfyllning" DocType: Products Settings,Enable Field Filters,Aktivera fältfilter -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Produktkod> Produktgrupp> Märke apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","""Kundförsett objekt"" kan inte också vara köpobjekt" DocType: Blanket Order Item,Ordered Quantity,Beställd kvantitet apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",t.ex. "Bygg verktyg för byggare" @@ -4165,7 +4168,7 @@ DocType: BOM,Operating Cost (Company Currency),Driftskostnad (Company valuta) DocType: Authorization Rule,Applicable To (Role),Är tillämpligt för (Roll) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Väntar på blad DocType: BOM Update Tool,Replace BOM,Byt ut BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kod {0} finns redan +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kod {0} finns redan DocType: Patient Encounter,Procedures,Rutiner apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Försäljningsorder är inte tillgängliga för produktion DocType: Asset Movement,Purpose,Syfte @@ -4262,6 +4265,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Ignorera överlappning a DocType: Warranty Claim,Service Address,Serviceadress apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importera stamdata DocType: Asset Maintenance Task,Calibration,Kalibrering +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Labtestobjekt {0} finns redan apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} håller företaget stängt apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Fakturerbara timmar apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Lämna statusmeddelande @@ -4615,7 +4619,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,lön Register DocType: Company,Default warehouse for Sales Return,Standardlager för återförsäljning DocType: Pick List,Parent Warehouse,moderLager -DocType: Subscription,Net Total,Netto Totalt +DocType: C-Form Invoice Detail,Net Total,Netto Totalt apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Ställ in varans hållbarhet i dagar för att ställa in löptid baserat på tillverkningsdatum plus hållbarhet. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Standard BOM hittades inte för punkt {0} och projekt {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rad {0}: Ange betalningsmetod i betalningsschema @@ -4730,7 +4734,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target lager är obligatoriskt för rad {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Återförsäljare DocType: Cheque Print Template,Primary Settings,primära inställningar -DocType: Attendance Request,Work From Home,Arbeta hemifrån +DocType: Attendance,Work From Home,Arbeta hemifrån DocType: Purchase Invoice,Select Supplier Address,Välj Leverantör Adress apps/erpnext/erpnext/public/js/event.js,Add Employees,Lägg till anställda DocType: Purchase Invoice Item,Quality Inspection,Kvalitetskontroll @@ -4974,8 +4978,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,Auktoriseringsadress apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Mängden {0} {1} {2} {3} DocType: Account,Depreciation,Avskrivningar -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Radera anställden {0} \ för att avbryta detta dokument" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Antal aktier och aktienumren är inkonsekventa apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Leverantör (s) DocType: Employee Attendance Tool,Employee Attendance Tool,Anställd närvaro Tool @@ -5285,7 +5287,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Plantanalys Kriterier DocType: Cheque Print Template,Cheque Height,Check Höjd DocType: Supplier,Supplier Details,Leverantör Detaljer DocType: Setup Progress,Setup Progress,Setup Progress -DocType: Expense Claim,Approval Status,Godkännandestatus apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Från Talet måste vara lägre än värdet i rad {0} DocType: Program,Intro Video,Introduktionsvideo DocType: Manufacturing Settings,Default Warehouses for Production,Standardlager för produktion @@ -5629,7 +5630,6 @@ DocType: Purchase Invoice,Rounded Total,Avrundat Totalt apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots för {0} läggs inte till i schemat DocType: Product Bundle,List items that form the package.,Lista objekt som bildar paketet. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Målplats krävs vid överföring av tillgång {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Inte tillåten. Avaktivera testmallen DocType: Sales Invoice,Distance (in km),Avstånd (i km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Procentuell Fördelning bör vara lika med 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Välj bokningsdatum innan du väljer Party @@ -5760,7 +5760,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Prislista Växelkurs apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Alla Leverantörsgrupper DocType: Employee Boarding Activity,Required for Employee Creation,Krävs för anställningsskapande -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverantör> Leverantörstyp apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Kontonummer {0} som redan används i konto {1} DocType: GoCardless Mandate,Mandate,Mandat DocType: Hotel Room Reservation,Booked,bokade @@ -5826,7 +5825,6 @@ DocType: Production Plan Item,Product Bundle Item,Produktpaket Punkt DocType: Sales Partner,Sales Partner Name,Försäljnings Partner Namn apps/erpnext/erpnext/hooks.py,Request for Quotations,Begäran om Citat DocType: Payment Reconciliation,Maximum Invoice Amount,Maximal Fakturabelopp -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () misslyckades för tom IBAN DocType: Normal Test Items,Normal Test Items,Normala testpunkter DocType: QuickBooks Migrator,Company Settings,Företagsinställningar DocType: Additional Salary,Overwrite Salary Structure Amount,Skriv över lönestrukturbeloppet @@ -5979,6 +5977,7 @@ DocType: Issue,Resolution By Variance,Upplösning efter variation DocType: Leave Allocation,Leave Period,Lämningsperiod DocType: Item,Default Material Request Type,Standard Material Typ av förfrågan DocType: Supplier Scorecard,Evaluation Period,Utvärderingsperiod +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kund> Kundgrupp> Territorium apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Okänd apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Arbetsorder inte skapad apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6344,8 +6343,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Seriell DocType: Material Request Plan Item,Required Quantity,Mängd som krävs DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Redovisningsperioden överlappar med {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverantör> Leverantörstyp apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Försäljningskonto DocType: Purchase Invoice Item,Total Weight,Totalvikt +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Radera anställden {0} \ för att avbryta detta dokument" DocType: Pick List Item,Pick List Item,Välj listobjekt apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Försäljningsprovision DocType: Job Offer Term,Value / Description,Värde / Beskrivning @@ -6460,6 +6462,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Inloggad DocType: Bank Account,Party Type,Parti Typ DocType: Discounted Invoice,Discounted Invoice,Rabatterad faktura +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Markera närvaro som DocType: Payment Schedule,Payment Schedule,Betalningsplan apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ingen anställd hittades för det givna anställdas fältvärde. '{}': {} DocType: Item Attribute Value,Abbreviation,Förkortning @@ -6562,7 +6565,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Anledning för att sätta p DocType: Employee,Personal Email,Personligt E-post apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Totalt Varians DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Om det är aktiverat, kommer systemet att skicka bokföringsposter för inventering automatiskt." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () accepterade ogiltiga IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerage apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Närvaro för arbetstagare {0} är redan märkt för denna dag DocType: Work Order Operation,"in Minutes @@ -6833,6 +6835,7 @@ DocType: Appointment,Customer Details,Kunduppgifter apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Skriv ut IRS 1099-formulär DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Kontrollera om tillgången kräver förebyggande underhåll eller kalibrering apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Företagets förkortning får inte ha mer än 5 tecken +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Moderbolaget måste vara ett koncernföretag DocType: Employee,Reports to,Rapporter till ,Unpaid Expense Claim,Obetald räkningen DocType: Payment Entry,Paid Amount,Betalt belopp @@ -6921,6 +6924,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Oppräknare apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Både provperiodens startdatum och provperiodens slutdatum måste ställas in apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Genomsnitt +DocType: Appointment,Appointment With,Möte med apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Totala betalningsbeloppet i betalningsplanen måste vara lika med Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Kundförsett objekt"" kan inte ha värderingskurs" DocType: Subscription Plan Detail,Plan,Planen @@ -7053,7 +7057,6 @@ DocType: Customer,Customer Primary Contact,Kund Primärkontakt apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Bankkontoinformation DocType: Bank Guarantee,Bank Guarantee Type,Bankgaranti Typ -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () misslyckades med giltigt IBAN {} DocType: Payment Schedule,Invoice Portion,Fakturahandel ,Asset Depreciations and Balances,Asset Avskrivningar och saldon apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Belopp {0} {1} överförs från {2} till {3} @@ -7722,7 +7725,6 @@ DocType: Dosage Form,Dosage Form,Doseringsform apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Ställ in kampanjschemat i kampanjen {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Huvudprislista. DocType: Task,Review Date,Kontroll Datum -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Markera närvaro som DocType: BOM,Allow Alternative Item,Tillåt alternativ artikel apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Köpskvitto har inget objekt som behåller provet är aktiverat för. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Fakturor Grand Total @@ -7954,7 +7956,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Prislista hittades inte eller avaktiverad DocType: Content Activity,Last Activity ,sista aktiviteten -DocType: Student Applicant,Approved,Godkänd DocType: Pricing Rule,Price,Pris apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Anställd sparkades på {0} måste ställas in som ""lämnat""" DocType: Guardian,Guardian,väktare @@ -8126,6 +8127,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Procentavdrag DocType: GL Entry,To Rename,Att byta namn DocType: Stock Entry,Repack,Packa om apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Välj för att lägga till serienummer. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Installera instruktörens namngivningssystem i utbildning> Utbildningsinställningar apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Vänligen ange skattekod för kunden '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Var god välj Företaget först DocType: Item Attribute,Numeric Values,Numeriska värden @@ -8142,6 +8144,7 @@ DocType: Salary Detail,Additional Amount,Ytterligare belopp apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Kundvagnen är tom apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Artikel {0} har ingen serienummer. Endast seriliserade artiklar \ kan ha leverans baserat på serienummer +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Avskrivet belopp DocType: Vehicle,Model,Modell DocType: Work Order,Actual Operating Cost,Faktisk driftkostnad DocType: Payment Entry,Cheque/Reference No,Check / referensnummer diff --git a/erpnext/translations/sw.csv b/erpnext/translations/sw.csv index 2dd684b2db..33c65ad80f 100644 --- a/erpnext/translations/sw.csv +++ b/erpnext/translations/sw.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Kiwango cha Msamaha wa Ush DocType: Exchange Rate Revaluation Account,New Exchange Rate,Kiwango cha New Exchange apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Fedha inahitajika kwa Orodha ya Bei {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Itahesabiwa katika shughuli. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Tafadhali wasanidi Mfumo wa Kumtaja Mfanyikazi katika Rasilimali Watu> Mipangilio ya HR DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT -YYYY.- DocType: Purchase Order,Customer Contact,Mawasiliano ya Wateja DocType: Shift Type,Enable Auto Attendance,Washa Kuhudhuria Moja kwa moja @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Mawasiliano Yote ya Wasambazaji DocType: Support Settings,Support Settings,Mipangilio ya Kusaidia apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Akaunti {0} imeongezwa katika kampuni ya watoto {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Uthibitishaji batili +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Marko Kazi Kutoka Nyumbani apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC Inapatikana (iwe katika sehemu kamili) DocType: Amazon MWS Settings,Amazon MWS Settings,Mipangilio ya MWS ya Amazon apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Inashughulikia Vocha @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Kiwango cha Kod apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Maelezo ya Uanachama apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Muuzaji inahitajika dhidi ya akaunti inayolipwa {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Vitu na bei -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Mteja> Kikundi cha Wateja> Wilaya apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Masaa yote: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Kutoka Tarehe lazima iwe ndani ya Mwaka wa Fedha. Kutokana na Tarehe = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR -YYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Chaguo lililochaguliwa DocType: SG Creation Tool Course,SG Creation Tool Course,Njia ya Uumbaji wa SG DocType: Bank Statement Transaction Invoice Item,Payment Description,Maelezo ya Malipo -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Tafadhali weka Mfululizo wa Jina la {0} kupitia Kusanidi> Mipangilio> Mfululizo wa Kumtaja apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Hifadhi haitoshi DocType: Email Digest,New Sales Orders,Amri mpya ya Mauzo DocType: Bank Account,Bank Account,Akaunti ya benki @@ -774,6 +772,7 @@ DocType: Request for Quotation,Request for Quotation,Ombi la Nukuu DocType: Healthcare Settings,Require Lab Test Approval,Inahitaji idhini ya Mtihani wa Lab DocType: Attendance,Working Hours,Saa za kazi apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Jumla ya Kipaumbele +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Sababu ya ubadilishaji wa UOM ({0} -> {1}) haipatikani kwa kipengee: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Badilisha idadi ya mwanzo / ya sasa ya mlolongo wa mfululizo uliopo. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,Asilimia unaruhusiwa kutoza zaidi dhidi ya kiasi kilichoamriwa. Kwa mfano: Ikiwa dhamana ya agizo ni $ 100 kwa bidhaa na uvumilivu umewekwa kama 10% basi unaruhusiwa kutoza kwa $ 110. DocType: Dosage Strength,Strength,Nguvu @@ -1261,7 +1260,6 @@ DocType: Timesheet,Total Billed Hours,Masaa Yote yaliyolipwa DocType: Pricing Rule Item Group,Pricing Rule Item Group,Kikundi cha Bei ya Bei ya Bei DocType: Travel Itinerary,Travel To,Safari Kwa apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Kubadilisha Mabadiliko ya Viwango vya kubadilishana. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Tafadhali sasisha safu za nambari za Kuhudhuria kupitia Usanidi> Mfululizo wa hesabu apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Andika Kiasi DocType: Leave Block List Allow,Allow User,Ruhusu Mtumiaji DocType: Journal Entry,Bill No,Bill No @@ -1614,6 +1612,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Vidokezo apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Thamani Kati ya Usawazishaji apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Thamani ya Tofauti +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Tafadhali sasisha safu za nambari za Kuhudhuria kupitia Usanidi> Mfululizo wa hesabu DocType: SMS Log,Requested Numbers,Hesabu zilizoombwa DocType: Volunteer,Evening,Jioni DocType: Quiz,Quiz Configuration,Usanidi wa Quiz @@ -1781,6 +1780,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Kutoka ma DocType: Student Admission,Publish on website,Chapisha kwenye tovuti apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Tarehe ya Invozi ya Wasambazaji haiwezi kuwa kubwa kuliko Tarehe ya Kuweka DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Nambari ya Bidhaa> Kikundi cha bidhaa> Brand DocType: Subscription,Cancelation Date,Tarehe ya kufuta DocType: Purchase Invoice Item,Purchase Order Item,Nambari ya Utaratibu wa Ununuzi DocType: Agriculture Task,Agriculture Task,Kazi ya Kilimo @@ -2380,7 +2380,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Bidhaa Punguzo la bidhaa DocType: Target Detail,Target Distribution,Usambazaji wa Target DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Kukamilisha tathmini ya muda apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Kuingiza Vyama na Anwani -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Sababu ya ubadilishaji wa UOM ({0} -> {1}) haipatikani kwa kipengee: {2} DocType: Salary Slip,Bank Account No.,Akaunti ya Akaunti ya Benki DocType: Naming Series,This is the number of the last created transaction with this prefix,Huu ndio idadi ya shughuli za mwisho zilizoundwa na kiambishi hiki DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2770,6 +2769,9 @@ DocType: Company,Default Holiday List,Orodha ya Likizo ya Default DocType: Pricing Rule,Supplier Group,Kikundi cha Wasambazaji apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: Kutoka wakati na kwa wakati wa {1} linaingiliana na {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",BOM iliyo na jina {0} tayari inapatikana kwa kipengee {1}.
Ulibadilisha jina la kitu hicho? Tafadhali wasiliana na Msaada / Tech msaada apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Mkopo wa Mkopo DocType: Purchase Invoice,Supplier Warehouse,Ghala la Wafanyabiashara DocType: Opportunity,Contact Mobile No,Wasiliana No Simu ya Simu @@ -3212,6 +3214,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA -YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Jedwali la Mkutano wa Ubora apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Tembelea vikao +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Haiwezi kukamilisha kazi {0} kama kazi yake tegemezi {1} haijakamilishwa / imefutwa. DocType: Student,Student Mobile Number,Namba ya Simu ya Wanafunzi DocType: Item,Has Variants,Ina tofauti DocType: Employee Benefit Claim,Claim Benefit For,Faida ya kudai Kwa @@ -3370,7 +3373,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Kiasi cha kulipa jumla (kupi apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Unda Ratiba ya Ada apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Rudia Mapato ya Wateja DocType: Soil Texture,Silty Clay Loam,Mchoro wa Clay Silly -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Tafadhali wasanidi Mfumo wa Kumtaja Mtaalam katika Elimu> Mipangilio ya elimu DocType: Quiz,Enter 0 to waive limit,Ingiza 0 kupunguza kikomo DocType: Bank Statement Settings,Mapped Items,Vipengee Vipengeke DocType: Amazon MWS Settings,IT,IT @@ -3404,7 +3406,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Hakuna mali ya kutosha iliyoundwa au kuunganishwa na {0}. \ Tafadhali unda au unganisha {1} Mali na hati husika. DocType: Pricing Rule,Apply Rule On Brand,Tuma Sheria kwenye Brand DocType: Task,Actual End Date (via Time Sheet),Tarehe ya mwisho ya mwisho (kupitia Karatasi ya Muda) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Haiwezi kufunga kazi {0} kama kazi yake tegemezi {1} haijafungwa. DocType: Soil Texture,Soil Type,Aina ya Udongo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Kiasi {0} {1} dhidi ya {2} {3} ,Quotation Trends,Mwelekeo wa Nukuu @@ -3433,6 +3434,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Gari ya kujitegemea DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Washirika wa Scorecard Wamesimama apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Sheria ya Vifaa haipatikani kwa Bidhaa {1} DocType: Contract Fulfilment Checklist,Requirement,Mahitaji +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Tafadhali wasanidi Mfumo wa Kumtaja Mfanyikazi katika Rasilimali Watu> Mipangilio ya HR DocType: Journal Entry,Accounts Receivable,Akaunti inapatikana DocType: Quality Goal,Objectives,Malengo DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Wajibu Unaruhusiwa kuunda Maombi ya Likizo ya Kawaida @@ -3574,6 +3576,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Imewekwa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Maelezo ya Ugavi wa nje na vifaa vya ndani vina jukumu la kubadili malipo apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Fungua tena +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Hairuhusiwi. Tafadhali afya Seti ya Jaribio la Lab DocType: Sales Invoice Item,Qty as per Stock UOM,Uchina kama kwa hisa ya UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Jina la Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Kampuni ya Mizizi @@ -3632,6 +3635,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Aina ya Biashara DocType: Sales Invoice,Consumer,Mtumiaji apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Tafadhali chagua Kiwango kilichopakiwa, Aina ya Invoice na Nambari ya Invoice katika safu moja" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Tafadhali weka Mfululizo wa Jina la {0} kupitia Kusanidi> Mipangilio> Mfululizo wa Kumtaja apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Gharama ya Ununuzi Mpya apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Utaratibu wa Mauzo unahitajika kwa Bidhaa {0} DocType: Grant Application,Grant Description,Maelezo ya Ruzuku @@ -3657,7 +3661,6 @@ DocType: Payment Request,Transaction Details,Maelezo ya Shughuli apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,Tafadhali bonyeza 'Generate Schedule' ili kupata ratiba DocType: Item,"Purchase, Replenishment Details","Ununuzi, Maelezo ya kumaliza tena" DocType: Products Settings,Enable Field Filters,Washa vichungi vya Shamba -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Nambari ya Bidhaa> Kikundi cha bidhaa> Brand apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","Bidhaa Iliyopewa na Wateja" haiwezi kuwa Bidhaa ya Ununuzi pia DocType: Blanket Order Item,Ordered Quantity,Amri ya Amri apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",km "Kujenga zana kwa wajenzi" @@ -4126,7 +4129,7 @@ DocType: BOM,Operating Cost (Company Currency),Gharama za Uendeshaji (Fedha la K DocType: Authorization Rule,Applicable To (Role),Inafaa kwa (Mgawo) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Majani yaliyoyasubiri DocType: BOM Update Tool,Replace BOM,Badilisha BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kanuni {0} tayari iko +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kanuni {0} tayari iko DocType: Patient Encounter,Procedures,Taratibu apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Maagizo ya mauzo haipatikani kwa uzalishaji DocType: Asset Movement,Purpose,Kusudi @@ -4222,6 +4225,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Puuza Muda wa Waajiriwa DocType: Warranty Claim,Service Address,Anwani ya Huduma apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Ingiza Takwimu za Mwalimu DocType: Asset Maintenance Task,Calibration,Calibration +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Bidhaa ya Mtihani wa Maabara {0} tayari ipo apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ni likizo ya kampuni apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Masaa yanayoweza kulipwa apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Acha Arifa ya Hali @@ -4572,7 +4576,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,Daftari ya Mshahara DocType: Company,Default warehouse for Sales Return,Ghala la Default la Kurudi kwa Uuzaji DocType: Pick List,Parent Warehouse,Ghala la Mzazi -DocType: Subscription,Net Total,Jumla ya Net +DocType: C-Form Invoice Detail,Net Total,Jumla ya Net apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Weka maisha ya rafu ya bidhaa kwa siku, kuweka kumalizika kwa msingi wa tarehe ya utengenezaji pamoja na maisha ya rafu." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},BOM ya kutosha haipatikani kwa Item {0} na Mradi {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Njia {0}: Tafadhali seti Njia ya Malipo katika Ratiba ya Malipo @@ -4687,7 +4691,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Ghala inayolenga ni lazima kwa mstari {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Uendeshaji wa Uuzaji DocType: Cheque Print Template,Primary Settings,Mipangilio ya msingi -DocType: Attendance Request,Work From Home,Kazi Kutoka Nyumbani +DocType: Attendance,Work From Home,Kazi Kutoka Nyumbani DocType: Purchase Invoice,Select Supplier Address,Chagua Anwani ya Wasambazaji apps/erpnext/erpnext/public/js/event.js,Add Employees,Ongeza Waajiriwa DocType: Purchase Invoice Item,Quality Inspection,Ukaguzi wa Ubora @@ -4929,8 +4933,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL ya idhini apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Kiasi {0} {1} {2} {3} DocType: Account,Depreciation,Kushuka kwa thamani -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Tafadhali futa Mfanyikazi {0} \ ili kughairi hati hii" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Idadi ya hisa na nambari za kushiriki si sawa apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Wasambazaji (s) DocType: Employee Attendance Tool,Employee Attendance Tool,Chombo cha Kuhudhuria Waajiriwa @@ -5234,7 +5236,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Vigezo vya Uchambuzi wa DocType: Cheque Print Template,Cheque Height,Angalia Urefu DocType: Supplier,Supplier Details,Maelezo ya Wasambazaji DocType: Setup Progress,Setup Progress,Maendeleo ya Kuweka -DocType: Expense Claim,Approval Status,Hali ya kibali apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Kutoka thamani lazima iwe chini kuliko ya thamani katika mstari {0} DocType: Program,Intro Video,Video ya Intro DocType: Manufacturing Settings,Default Warehouses for Production,Nyumba za default za Uzalishaji @@ -5574,7 +5575,6 @@ DocType: Purchase Invoice,Rounded Total,Imejaa Jumla apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Inafaa kwa {0} haijaongezwa kwenye ratiba DocType: Product Bundle,List items that form the package.,Andika vitu vinavyounda mfuko. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Mahali palengwa inahitajika wakati wa kuhamisha Mali {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Hairuhusiwi. Tafadhali afya Kigezo cha Mtihani DocType: Sales Invoice,Distance (in km),Umbali (katika km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Asilimia ya Ugawaji lazima iwe sawa na 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Tafadhali chagua Tarehe ya Kuweka kabla ya kuchagua Chama @@ -5704,7 +5704,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Orodha ya Badilishaji ya Bei apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Vikundi vyote vya Wasambazaji DocType: Employee Boarding Activity,Required for Employee Creation,Inahitajika kwa Uumbaji wa Waajiriwa -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Mtoaji> Aina ya wasambazaji apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Nambari ya Akaunti {0} tayari kutumika katika akaunti {1} DocType: GoCardless Mandate,Mandate,Mamlaka DocType: Hotel Room Reservation,Booked,Imeandaliwa @@ -5770,7 +5769,6 @@ DocType: Production Plan Item,Product Bundle Item,Bidhaa ya Bundle Item DocType: Sales Partner,Sales Partner Name,Jina la Mshirika wa Mauzo apps/erpnext/erpnext/hooks.py,Request for Quotations,Ombi la Nukuu DocType: Payment Reconciliation,Maximum Invoice Amount,Kiasi cha Invoice Kiasi -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () ilishindwa kwa IBAN tupu DocType: Normal Test Items,Normal Test Items,Vipimo vya kawaida vya Mtihani DocType: QuickBooks Migrator,Company Settings,Mipangilio ya Kampuni DocType: Additional Salary,Overwrite Salary Structure Amount,Weka Kiwango cha Mshahara wa Mshahara @@ -5921,6 +5919,7 @@ DocType: Issue,Resolution By Variance,Azimio Na Tofauti DocType: Leave Allocation,Leave Period,Acha Period DocType: Item,Default Material Request Type,Aina ya Ombi la Ufafanuzi wa Matumizi DocType: Supplier Scorecard,Evaluation Period,Kipimo cha Tathmini +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Mteja> Kikundi cha Wateja> Wilaya apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Haijulikani apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Kazi ya Kazi haijatengenezwa apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6279,8 +6278,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Kiasi kinachohitajika DocType: Lab Test Template,Lab Test Template,Kigezo cha Mtihani wa Lab apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Kipindi cha Uhasibu huingiliana na {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Mtoaji> Aina ya wasambazaji apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Akaunti ya Mauzo DocType: Purchase Invoice Item,Total Weight,Uzito wote +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Tafadhali futa Mfanyikazi {0} \ ili kughairi hati hii" DocType: Pick List Item,Pick List Item,Chagua Orodha ya Bidhaa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Tume ya Mauzo DocType: Job Offer Term,Value / Description,Thamani / Maelezo @@ -6395,6 +6397,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Iliyosainiwa DocType: Bank Account,Party Type,Aina ya Chama DocType: Discounted Invoice,Discounted Invoice,Ankara iliyopunguzwa +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Marko mahudhurio kama DocType: Payment Schedule,Payment Schedule,Ratiba ya Malipo apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Hakuna Mfanyikazi aliyepatikana kwa thamani ya shamba aliyopewa ya mfanyakazi. '{}': {} DocType: Item Attribute Value,Abbreviation,Hali @@ -6496,7 +6499,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Sababu ya kuweka juu ya kus DocType: Employee,Personal Email,Barua pepe ya kibinafsi apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Tofauti ya Jumla DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ikiwa imewezeshwa, mfumo utasoma fomu za uhasibu kwa hesabu moja kwa moja." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () imekubaliwa IBAN batili {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Uhamisho apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Kuhudhuria kwa mfanyakazi {0} tayari umewekwa alama kwa siku hii DocType: Work Order Operation,"in Minutes @@ -6765,6 +6767,7 @@ DocType: Appointment,Customer Details,Maelezo ya Wateja apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Chapisha Fomu za IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Angalia kama Mali inahitaji Maintenance ya Uzuiaji au Calibration apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Hali ya Kampuni haiwezi kuwa na wahusika zaidi ya 5 +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Kampuni ya Mzazi lazima iwe kampuni ya kikundi DocType: Employee,Reports to,Ripoti kwa ,Unpaid Expense Claim,Madai ya gharama ya kulipwa DocType: Payment Entry,Paid Amount,Kiwango kilicholipwa @@ -6852,6 +6855,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Upinzani wa Opp apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Kipindi cha kwanza cha majaribio Tarehe ya Kuanza na Tarehe ya Mwisho wa Kipindi lazima iwekwa apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Kiwango cha wastani +DocType: Appointment,Appointment With,Uteuzi na apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Kiwango cha Malipo ya Jumla katika Ratiba ya Malipo lazima iwe sawa na Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Bidhaa iliyotolewa na Wateja" haiwezi kuwa na Kiwango cha Tathimini DocType: Subscription Plan Detail,Plan,Mpango @@ -6984,7 +6988,6 @@ DocType: Customer,Customer Primary Contact,Mawasiliano ya Msingi ya Wateja apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Upinzani / Kiongozi% DocType: Bank Guarantee,Bank Account Info,Maelezo ya Akaunti ya Benki DocType: Bank Guarantee,Bank Guarantee Type,Aina ya Dhamana ya Benki -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () ilishindwa kwa IBAN halali {} DocType: Payment Schedule,Invoice Portion,Sehemu ya ankara ,Asset Depreciations and Balances,Upungufu wa Mali na Mizani apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Kiasi {0} {1} kilichohamishwa kutoka {2} hadi {3} @@ -7647,7 +7650,6 @@ DocType: Dosage Form,Dosage Form,Fomu ya Kipimo apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Tafadhali sasisha Mpangilio wa Kampeni katika Kampeni {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Orodha ya bei ya bwana. DocType: Task,Review Date,Tarehe ya Marekebisho -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Marko mahudhurio kama DocType: BOM,Allow Alternative Item,Ruhusu Nakala Mbadala apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Risiti ya Ununuzi haina Bidhaa yoyote ambayo Sampuli ya Uwezeshaji imewashwa. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Jumla ya ankara @@ -7875,7 +7877,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Upeo wa Max Retry apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Orodha ya Bei haipatikani au imezimwa DocType: Content Activity,Last Activity ,Shughuli ya Mwisho -DocType: Student Applicant,Approved,Imekubaliwa DocType: Pricing Rule,Price,Bei apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Wafanyakazi waliondolewa kwenye {0} lazima waweke kama 'kushoto' DocType: Guardian,Guardian,Mlezi @@ -8046,6 +8047,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Kupunguza kwa asilimia DocType: GL Entry,To Rename,Kubadilisha jina DocType: Stock Entry,Repack,Piga apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Chagua kuongeza Nambari ya serial. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Tafadhali wasanidi Mfumo wa Kumtaja Mtaalam katika Elimu> Mipangilio ya elimu apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Tafadhali weka Nambari ya Fedha kwa wateja '%' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Tafadhali chagua Kampuni kwanza DocType: Item Attribute,Numeric Values,Vigezo vya Hesabu @@ -8062,6 +8064,7 @@ DocType: Salary Detail,Additional Amount,Kiasi cha ziada apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Cart ni tupu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Kipengee {0} hazina vitu vya Serial No tu pekee \ vinaweza kuwa na utoaji kulingana na Serial No +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Kiasi cha Asilimia DocType: Vehicle,Model,Mfano DocType: Work Order,Actual Operating Cost,Gharama halisi ya uendeshaji DocType: Payment Entry,Cheque/Reference No,Angalia / Kumbukumbu Hapana diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv index d88df2a92a..f53e40a354 100644 --- a/erpnext/translations/ta.csv +++ b/erpnext/translations/ta.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,நிலையான வ DocType: Exchange Rate Revaluation Account,New Exchange Rate,புதிய பரிவர்த்தனை விகிதம் apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},நாணய விலை பட்டியல் தேவையான {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* பரிமாற்றத்தில் கணக்கிடப்படுகிறது. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,மனிதவள> மனிதவள அமைப்புகளில் பணியாளர் பெயரிடும் முறையை அமைக்கவும் DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-டிடி-.YYYY.- DocType: Purchase Order,Customer Contact,வாடிக்கையாளர் தொடர்பு DocType: Shift Type,Enable Auto Attendance,ஆட்டோ வருகையை இயக்கு @@ -96,6 +95,7 @@ DocType: Item Price,Multiple Item prices.,பல பொருள் வில DocType: SMS Center,All Supplier Contact,அனைத்து சப்ளையர் தொடர்பு DocType: Support Settings,Support Settings,ஆதரவு அமைப்புகள் apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,தவறான ஆவண சான்றுகள் +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,வீட்டிலிருந்து வேலையைக் குறிக்கவும் apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ஐ.டி.சி கிடைக்கிறது (முழு ஒப் பகுதியாக இருந்தாலும்) DocType: Amazon MWS Settings,Amazon MWS Settings,அமேசான் MWS அமைப்புகள் apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,செயலாக்க வவுச்சர்கள் @@ -403,7 +403,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,பொருள apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,உறுப்பினர் விவரங்கள் apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: சப்ளையர் செலுத்த வேண்டிய கணக்கு எதிராக தேவைப்படுகிறது {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,பொருட்கள் மற்றும் விலை -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,வாடிக்கையாளர்> வாடிக்கையாளர் குழு> பிரதேசம் apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},மொத்த மணிநேரம் {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},வரம்பு தேதி நிதியாண்டு க்குள் இருக்க வேண்டும். தேதி அனுமானம் = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,ஹெச்எல்சி-பிஎம்ஆர்-.YYYY.- @@ -767,6 +766,7 @@ DocType: Request for Quotation,Request for Quotation,விலைப்பட் DocType: Healthcare Settings,Require Lab Test Approval,லேப் சோதனை ஒப்புதல் தேவை DocType: Attendance,Working Hours,வேலை நேரங்கள் apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,மொத்த நிலுவை +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},உருப்படிக்கு UOM மாற்று காரணி ({0} -> {1}) காணப்படவில்லை: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,ஏற்கனவே தொடரில் தற்போதைய / தொடக்க வரிசை எண் மாற்ற. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"ஆர்டர் செய்யப்பட்ட தொகைக்கு எதிராக அதிக கட்டணம் செலுத்த உங்களுக்கு அனுமதி சதவீதம். எடுத்துக்காட்டாக: ஒரு பொருளுக்கு ஆர்டர் மதிப்பு $ 100 ஆகவும், சகிப்புத்தன்மை 10% ஆகவும் அமைக்கப்பட்டால், நீங்கள் $ 110 க்கு பில் செய்ய அனுமதிக்கப்படுவீர்கள்." DocType: Dosage Strength,Strength,வலிமை @@ -1244,7 +1244,6 @@ DocType: Timesheet,Total Billed Hours,மொத்த பில் மணி DocType: Pricing Rule Item Group,Pricing Rule Item Group,விலை விதி பொருள் குழு DocType: Travel Itinerary,Travel To,சுற்றுலா பயணம் apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,பரிமாற்ற வீத மறுமதிப்பீடு மாஸ்டர். -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,அமைவு> எண்ணைத் தொடர் வழியாக வருகைக்கான எண்ணைத் தொடரை அமைக்கவும் apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,மொத்த தொகை இனிய எழுத DocType: Leave Block List Allow,Allow User,பயனர் அனுமதி DocType: Journal Entry,Bill No,பில் இல்லை @@ -1612,6 +1611,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,செயல் தூண்டுதல் apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ஒத்திசைவுக்கு வெளியே மதிப்புகள் apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,வேறுபாடு மதிப்பு +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,அமைவு> எண்ணைத் தொடர் வழியாக வருகைக்கான எண்ணைத் தொடரை அமைக்கவும் DocType: SMS Log,Requested Numbers,கோரப்பட்ட எண்கள் DocType: Volunteer,Evening,சாயங்காலம் DocType: Quiz,Quiz Configuration,வினாடி வினா கட்டமைப்பு @@ -1778,6 +1778,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,இடம DocType: Student Admission,Publish on website,வலைத்தளத்தில் வெளியிடு apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,சப்ளையர் விவரப்பட்டியல் தேதி பதிவுசெய்ய தேதி விட அதிகமாக இருக்க முடியாது DocType: Installation Note,MAT-INS-.YYYY.-,MAT-ஐஎன்எஸ்-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,பொருள் குறியீடு> பொருள் குழு> பிராண்ட் DocType: Subscription,Cancelation Date,ரத்து தேதி DocType: Purchase Invoice Item,Purchase Order Item,ஆர்டர் பொருள் வாங்க DocType: Agriculture Task,Agriculture Task,வேளாண் பணி @@ -2370,7 +2371,6 @@ DocType: Promotional Scheme,Product Discount Slabs,தயாரிப்பு DocType: Target Detail,Target Distribution,இலக்கு விநியோகம் DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-தற்காலிக மதிப்பீடு முடித்தல் apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,கட்சிகள் மற்றும் முகவரிகளை இறக்குமதி செய்கிறது -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},உருப்படிக்கு UOM மாற்று காரணி ({0} -> {1}) காணப்படவில்லை: {2} DocType: Salary Slip,Bank Account No.,வங்கி கணக்கு எண் DocType: Naming Series,This is the number of the last created transaction with this prefix,இந்த முன்னொட்டு கடந்த உருவாக்கப்பட்ட பரிவர்த்தனை எண்ணிக்கை DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -3348,7 +3348,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),மொத்த பில apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,கட்டண அட்டவணையை உருவாக்கவும் apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,மீண்டும் வாடிக்கையாளர் வருவாய் DocType: Soil Texture,Silty Clay Loam,மெல்லிய களிமண் -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,கல்வி> கல்வி அமைப்புகளில் பயிற்றுவிப்பாளர் பெயரிடும் முறையை அமைக்கவும் DocType: Quiz,Enter 0 to waive limit,வரம்பை தள்ளுபடி செய்ய 0 ஐ உள்ளிடவும் DocType: Bank Statement Settings,Mapped Items,வரைபடப்பட்ட பொருட்கள் DocType: Amazon MWS Settings,IT,ஐ.டி @@ -3408,6 +3407,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,சுயமாக ஓட்ட DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,சப்ளையர் ஸ்கார்கார்டு ஸ்டாண்டிங் apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},ரோ {0}: பொருட்களை பில் பொருள் காணப்படவில்லை இல்லை {1} DocType: Contract Fulfilment Checklist,Requirement,தேவை +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,மனிதவள> மனிதவள அமைப்புகளில் பணியாளர் பெயரிடும் முறையை அமைக்கவும் DocType: Journal Entry,Accounts Receivable,கணக்குகள் DocType: Quality Goal,Objectives,நோக்கங்கள் DocType: HR Settings,Role Allowed to Create Backdated Leave Application,பின்தங்கிய விடுப்பு பயன்பாட்டை உருவாக்க அனுமதிக்கப்பட்ட பங்கு @@ -3548,6 +3548,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,பிரயோக apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,தலைகீழ் கட்டணத்திற்கு பொறுப்பான வெளிப்புற சப்ளை மற்றும் உள் சப்ளைகளின் விவரங்கள் apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,மீண்டும் திற +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,அனுமதி இல்லை. ஆய்வக சோதனை வார்ப்புருவை முடக்கவும் DocType: Sales Invoice Item,Qty as per Stock UOM,பங்கு மொறட்டுவ பல்கலைகழகம் படி அளவு apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 பெயர் apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,ரூட் நிறுவனம் @@ -3633,7 +3634,6 @@ DocType: Payment Request,Transaction Details,பரிமாற்ற விவ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"அட்டவணை பெற ' உருவாக்குதல் அட்டவணை ' கிளிக் செய்து," DocType: Item,"Purchase, Replenishment Details","கொள்முதல், நிரப்புதல் விவரங்கள்" DocType: Products Settings,Enable Field Filters,புல வடிப்பான்களை இயக்கு -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,பொருள் குறியீடு> பொருள் குழு> பிராண்ட் apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","""வாடிக்கையாளர் வழங்கிய பொருள்"" இது கொள்முதல் பொருளாகவும் இருக்க முடியாது" DocType: Blanket Order Item,Ordered Quantity,உத்தரவிட்டார் அளவு apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","உதாரணமாக, "" கட்டுமான கருவிகள் கட்ட """ @@ -3864,6 +3864,8 @@ DocType: Serial No,Delivery Time,விநியோக நேரம் apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,அடிப்படையில் மூப்படைதலுக்கான apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,நியமனம் ரத்துசெய்யப்பட்டது DocType: Item,End of Life,வாழ்க்கை முடிவுக்கு +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",ஒரு பணியாளருக்கு இடமாற்றம் செய்ய முடியாது. Ass சொத்து {0} மாற்றப்பட வேண்டிய இடத்தை உள்ளிடவும் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,சுற்றுலா DocType: Student Report Generation Tool,Include All Assessment Group,அனைத்து மதிப்பீட்டுக் குழுவும் அடங்கும் apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,கொடுக்கப்பட்டுள்ள தேதிகளில் ஊழியர் {0} க்கு எந்த செயலில் அல்லது இயல்புநிலை சம்பளம் அமைப்பு @@ -4093,7 +4095,7 @@ DocType: BOM,Operating Cost (Company Currency),இயக்க செலவு ( DocType: Authorization Rule,Applicable To (Role),பொருந்தும் (பாத்திரம்) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,நிலுவையிலுள்ள நிலங்கள் DocType: BOM Update Tool,Replace BOM,BOM ஐ மாற்றவும் -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,குறியீடு {0} ஏற்கனவே உள்ளது +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,குறியீடு {0} ஏற்கனவே உள்ளது DocType: Patient Encounter,Procedures,நடைமுறைகள் apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,விற்பனை ஆர்டர்கள் உற்பத்திக்கு கிடைக்கவில்லை DocType: Asset Movement,Purpose,நோக்கம் @@ -4209,6 +4211,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,பணியாளர் DocType: Warranty Claim,Service Address,சேவை முகவரி apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,முதன்மை தரவை இறக்குமதி செய்க DocType: Asset Maintenance Task,Calibration,அளவீட்டு +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ஆய்வக சோதனை பொருள் {0} ஏற்கனவே உள்ளது apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ஒரு நிறுவனம் விடுமுறை apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,பில் செய்யக்கூடிய நேரம் apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,நிலை அறிவிப்பை விடு @@ -4568,7 +4571,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,சம்பளம் பதிவு DocType: Company,Default warehouse for Sales Return,விற்பனை வருவாய்க்கான இயல்புநிலை கிடங்கு DocType: Pick List,Parent Warehouse,பெற்றோர் கிடங்கு -DocType: Subscription,Net Total,நிகர மொத்தம் +DocType: C-Form Invoice Detail,Net Total,நிகர மொத்தம் apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","உற்பத்தி தேதி மற்றும் அடுக்கு-ஆயுள் ஆகியவற்றின் அடிப்படையில் காலாவதியாகும் வகையில், உருப்படிகளின் அடுக்கு வாழ்க்கையை நாட்களில் அமைக்கவும்." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},இயல்புநிலை BOM பொருள் காணப்படவில்லை இல்லை {0} மற்றும் திட்ட {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,வரிசை {0}: கட்டணம் செலுத்தும் முறையை கட்டண அட்டவணையில் அமைக்கவும் @@ -4679,7 +4682,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},இலக்கு கிடங்கில் வரிசையில் கட்டாய {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,சில்லறை செயல்பாடுகள் DocType: Cheque Print Template,Primary Settings,முதன்மை அமைப்புகள் -DocType: Attendance Request,Work From Home,வீட்டில் இருந்து வேலை +DocType: Attendance,Work From Home,வீட்டில் இருந்து வேலை DocType: Purchase Invoice,Select Supplier Address,சப்ளையர் முகவரி தேர்வு apps/erpnext/erpnext/public/js/event.js,Add Employees,ஊழியர் சேர் DocType: Purchase Invoice Item,Quality Inspection,தரமான ஆய்வு @@ -4915,8 +4918,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,அங்கீகார URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},தொகை {0} {1} {2} {3} DocType: Account,Depreciation,மதிப்பிறக்கம் தேய்மானம் -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","இந்த ஆவணத்தை ரத்து செய்ய பணியாளர் {0} delete ஐ நீக்கவும்" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,பங்குகள் மற்றும் பங்கு எண்கள் எண்ணிக்கை சீரற்றதாக உள்ளன apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),வழங்குபவர் (கள்) DocType: Employee Attendance Tool,Employee Attendance Tool,பணியாளர் வருகை கருவி @@ -5218,7 +5219,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,தாவர பகு DocType: Cheque Print Template,Cheque Height,காசோலை உயரம் DocType: Supplier,Supplier Details,வழங்குபவர் விவரம் DocType: Setup Progress,Setup Progress,அமைப்பு முன்னேற்றம் -DocType: Expense Claim,Approval Status,ஒப்புதல் நிலைமை apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},மதிப்பு வரிசையில் மதிப்பு குறைவாக இருக்க வேண்டும் {0} DocType: Program,Intro Video,அறிமுக வீடியோ DocType: Manufacturing Settings,Default Warehouses for Production,உற்பத்திக்கான இயல்புநிலை கிடங்குகள் @@ -5552,7 +5552,6 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,விற்க DocType: Purchase Invoice,Rounded Total,வட்டமான மொத்த apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,அட்டவணையில் {0} க்கான இடங்கள் சேர்க்கப்படவில்லை DocType: Product Bundle,List items that form the package.,தொகுப்பு அமைக்க என்று பட்டியல் உருப்படிகள். -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,அனுமதி இல்லை. டெஸ்ட் வார்ப்புருவை முடக்கவும் DocType: Sales Invoice,Distance (in km),தூரம் (கிமீ) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,சதவீதம் ஒதுக்கீடு 100% சமமாக இருக்க வேண்டும் apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"கட்சி தேர்வு செய்யும் முன், பதிவுசெய்ய தேதி தேர்ந்தெடுக்கவும்" @@ -5682,7 +5681,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,விலை பட்டியல் செலாவணி விகிதம் apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,அனைத்து சப்ளையர் குழுக்கள் DocType: Employee Boarding Activity,Required for Employee Creation,பணியாளர் உருவாக்கம் தேவை -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,சப்ளையர்> சப்ளையர் வகை apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},கணக்கு எண் {0} ஏற்கனவே கணக்கில் பயன்படுத்தப்படுகிறது {1} DocType: GoCardless Mandate,Mandate,மேண்டேட் DocType: Hotel Room Reservation,Booked,பதிவு @@ -5747,7 +5745,6 @@ DocType: Production Plan Item,Product Bundle Item,தயாரிப்பு DocType: Sales Partner,Sales Partner Name,விற்பனை வரன்வாழ்க்கை துணை பெயர் apps/erpnext/erpnext/hooks.py,Request for Quotations,விலைக்குறிப்புகளுக்கான வேண்டுகோள் DocType: Payment Reconciliation,Maximum Invoice Amount,அதிகபட்ச விலைப்பட்டியல் அளவு -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () வெற்று IBAN க்கு தோல்வியுற்றது DocType: Normal Test Items,Normal Test Items,சாதாரண சோதனை பொருட்கள் DocType: QuickBooks Migrator,Company Settings,நிறுவனத்தின் அமைப்புகள் DocType: Additional Salary,Overwrite Salary Structure Amount,சம்பள கட்டமைப்பு தொகை மேலெழுதப்பட்டது @@ -5898,6 +5895,7 @@ DocType: Issue,Resolution By Variance,மாறுபாட்டின் ம DocType: Leave Allocation,Leave Period,காலம் விடு DocType: Item,Default Material Request Type,இயல்புநிலை பொருள் கோரிக்கை வகை DocType: Supplier Scorecard,Evaluation Period,மதிப்பீட்டு காலம் +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,வாடிக்கையாளர்> வாடிக்கையாளர் குழு> பிரதேசம் apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,தெரியாத apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,வேலை ஆணை உருவாக்கப்படவில்லை DocType: Shipping Rule,Shipping Rule Conditions,கப்பல் விதி நிபந்தனைகள் @@ -6253,8 +6251,11 @@ DocType: Salary Component,Formula,சூத்திரம் apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,தொடர் # DocType: Material Request Plan Item,Required Quantity,தேவையான அளவு DocType: Lab Test Template,Lab Test Template,லேப் டெஸ்ட் வார்ப்புரு +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,சப்ளையர்> சப்ளையர் வகை apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,விற்பனை கணக்கு DocType: Purchase Invoice Item,Total Weight,மொத்த எடை +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","இந்த ஆவணத்தை ரத்து செய்ய பணியாளர் {0} delete ஐ நீக்கவும்" DocType: Pick List Item,Pick List Item,பட்டியல் உருப்படியைத் தேர்வுசெய்க apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,விற்பனையில் கமிஷன் DocType: Job Offer Term,Value / Description,மதிப்பு / விளக்கம் @@ -6367,6 +6368,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,கையெழுத்திட்டார் DocType: Bank Account,Party Type,கட்சி வகை DocType: Discounted Invoice,Discounted Invoice,தள்ளுபடி விலைப்பட்டியல் +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,வருகை என குறிக்கவும் DocType: Payment Schedule,Payment Schedule,கட்டண அட்டவணை apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},கொடுக்கப்பட்ட பணியாளர் புல மதிப்புக்கு எந்த ஊழியரும் கிடைக்கவில்லை. '{}': {} DocType: Item Attribute Value,Abbreviation,சுருக்கமான @@ -6466,7 +6468,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,நிறுத்துவ DocType: Employee,Personal Email,தனிப்பட்ட மின்னஞ்சல் apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,மொத்த மாற்றத்துடன் DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","இயலுமைப்படுத்த என்றால், கணினி தானாக சரக்கு கணக்கியல் உள்ளீடுகள் பதிவு." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () தவறான IBAN ஐ ஏற்றுக்கொண்டது}} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,தரக apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,ஊழியர் {0} வருகை ஏற்கனவே இந்த நாள் குறிக்கப்பட்டுள்ளது DocType: Work Order Operation,"in Minutes @@ -6729,6 +6730,7 @@ DocType: Appointment,Customer Details,வாடிக்கையாளர் apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,ஐஆர்எஸ் 1099 படிவங்களை அச்சிடுங்கள் DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,சொத்துக்குத் தற்காப்பு பராமரிப்பு அல்லது அளவுத்திருத்தம் தேவைப்பட்டால் சரிபார்க்கவும் apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,நிறுவனத்தின் சுருக்கம் 5 எழுத்துகளுக்கு மேல் இருக்க முடியாது +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,பெற்றோர் நிறுவனம் ஒரு குழு நிறுவனமாக இருக்க வேண்டும் DocType: Employee,Reports to,அறிக்கைகள் ,Unpaid Expense Claim,செலுத்தப்படாத செலவு கூறுகின்றனர் DocType: Payment Entry,Paid Amount,பணம் தொகை @@ -6816,6 +6818,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,எதிரில் கவுண்ட் apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,ட்ரெயல் பீரியட் தொடங்கும் மற்றும் முடியும் தேதிகள் அவசியம் apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,சராசரி விகிதம் +DocType: Appointment,Appointment With,உடன் நியமனம் apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,கட்டணம் செலுத்திய மொத்த கட்டண தொகை கிராண்ட் / வட்டமான மொத்தம் சமமாக இருக்க வேண்டும் apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""வாடிக்கையாளர் வழங்கிய பொருள்"" மதிப்பீட்டு விகிதம் இருக்க முடியாது" DocType: Subscription Plan Detail,Plan,திட்டம் @@ -6945,7 +6948,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,எதிரில் / முன்னணி% DocType: Bank Guarantee,Bank Account Info,வங்கி கணக்கு தகவல் DocType: Bank Guarantee,Bank Guarantee Type,வங்கி உத்தரவாத வகை -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},செல்லுபடியாகும் IBAN for for க்கு BankAccount.validate_iban () தோல்வியுற்றது DocType: Payment Schedule,Invoice Portion,விலைப்பட்டியல் பகுதி ,Asset Depreciations and Balances,சொத்து Depreciations மற்றும் சமநிலைகள் apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},அளவு {0} {1} இருந்து இடமாற்றம் {2} க்கு {3} @@ -7592,7 +7594,6 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The share DocType: Dosage Form,Dosage Form,அளவு படிவம் apps/erpnext/erpnext/config/buying.py,Price List master.,விலை பட்டியல் மாஸ்டர் . DocType: Task,Review Date,தேதி -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,வருகை என குறிக்கவும் DocType: BOM,Allow Alternative Item,மாற்று பொருள் அனுமதி apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,கொள்முதல் ரசீதில் தக்கவைப்பு மாதிரி இயக்கப்பட்ட எந்த உருப்படியும் இல்லை. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,விலைப்பட்டியல் கிராண்ட் மொத்தம் @@ -7819,7 +7820,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Max Retry வரம்பு apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,விலை பட்டியல் காணப்படும் அல்லது ஊனமுற்ற DocType: Content Activity,Last Activity ,கடைசி செயல்பாடு -DocType: Student Applicant,Approved,ஏற்பளிக்கப்பட்ட DocType: Pricing Rule,Price,விலை apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} ம் நிம்மதியாக பணியாளர் 'இடது' அமைக்க வேண்டும் DocType: Guardian,Guardian,பாதுகாவலர் @@ -7991,6 +7991,7 @@ DocType: Taxable Salary Slab,Percent Deduction,சதவீதம் துப DocType: GL Entry,To Rename,மறுபெயரிட DocType: Stock Entry,Repack,RePack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,வரிசை எண்ணைச் சேர்க்கத் தேர்ந்தெடுக்கவும். +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,கல்வி> கல்வி அமைப்புகளில் பயிற்றுவிப்பாளர் பெயரிடும் முறையை அமைக்கவும் apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',வாடிக்கையாளர் '% s' க்காக நிதிக் குறியீட்டை அமைக்கவும் apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,முதலில் நிறுவனத்தைத் தேர்ந்தெடுக்கவும் DocType: Item Attribute,Numeric Values,எண்மதிப்பையும் @@ -8007,6 +8008,7 @@ DocType: Salary Detail,Additional Amount,கூடுதல் தொகை apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,கார்ட் காலியாக உள்ளது apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",பொருள் {0} இல்லை வரிசை எண் இல்லை. Serialialized பொருட்கள் மட்டும் serial No அடிப்படையில் வழங்க முடியும் +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,தேய்மானத் தொகை DocType: Vehicle,Model,மாதிரி DocType: Work Order,Actual Operating Cost,உண்மையான இயக்க செலவு DocType: Payment Entry,Cheque/Reference No,காசோலை / குறிப்பு இல்லை diff --git a/erpnext/translations/te.csv b/erpnext/translations/te.csv index c375153223..ac19c67ce2 100644 --- a/erpnext/translations/te.csv +++ b/erpnext/translations/te.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,ప్రామాణి DocType: Exchange Rate Revaluation Account,New Exchange Rate,న్యూ ఎక్స్ఛేంజ్ రేట్ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},కరెన్సీ ధర జాబితా కోసం అవసరం {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* లావాదేవీ లెక్కించబడతాయి. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,దయచేసి మానవ వనరులు> హెచ్ ఆర్ సెట్టింగులలో ఉద్యోగుల నామకరణ వ్యవస్థను సెటప్ చేయండి DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-డిటి .YYYY.- DocType: Purchase Order,Customer Contact,కస్టమర్ సంప్రదించండి DocType: Shift Type,Enable Auto Attendance,ఆటో హాజరును ప్రారంభించండి @@ -95,6 +94,7 @@ DocType: Item Price,Multiple Item prices.,బహుళ అంశం ధరలు DocType: SMS Center,All Supplier Contact,అన్ని సరఫరాదారు సంప్రదించండి DocType: Support Settings,Support Settings,మద్దతు సెట్టింగ్లు apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,చెల్లని ఆధారాలు +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,ఇంటి నుండి పనిని గుర్తించండి apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ఐటిసి అందుబాటులో ఉంది (పూర్తిస్థాయిలో ఉన్నా) DocType: Amazon MWS Settings,Amazon MWS Settings,అమెజాన్ MWS సెట్టింగులు apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,ప్రాసెసింగ్ వోచర్లు @@ -400,7 +400,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,వస్తు apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,సభ్యత్వ వివరాలు apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: సరఫరాదారు చెల్లించవలసిన ఖాతాఫై అవసరం {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,అంశాలు మరియు ధర -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,కస్టమర్> కస్టమర్ గ్రూప్> భూభాగం apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},మొత్తం గంటలు: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},తేదీ నుండి ఫిస్కల్ ఇయర్ లోపల ఉండాలి. తేదీ నుండి ఊహిస్తే = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -761,6 +760,7 @@ DocType: Request for Quotation,Request for Quotation,కొటేషన్ క DocType: Healthcare Settings,Require Lab Test Approval,ల్యాబ్ పరీక్ష ఆమోదం అవసరం DocType: Attendance,Working Hours,పని గంటలు apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,మొత్తం అత్యుత్తమమైనది +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},అంశం కోసం UOM మార్పిడి కారకం ({0} -> {1}) కనుగొనబడలేదు: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,అప్పటికే ఉన్న సిరీస్ ప్రారంభం / ప్రస్తుత క్రమ సంఖ్య మార్చండి. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"ఆదేశించిన మొత్తానికి వ్యతిరేకంగా ఎక్కువ బిల్లు చేయడానికి మీకు అనుమతి ఉన్న శాతం. ఉదాహరణకు: ఒక వస్తువుకు ఆర్డర్ విలువ $ 100 మరియు సహనం 10% గా సెట్ చేయబడితే, మీరు bill 110 కు బిల్ చేయడానికి అనుమతించబడతారు." DocType: Dosage Strength,Strength,బలం @@ -1239,7 +1239,6 @@ DocType: Timesheet,Total Billed Hours,మొత్తం కస్టమర్ DocType: Pricing Rule Item Group,Pricing Rule Item Group,ధర నియమం అంశం సమూహం DocType: Travel Itinerary,Travel To,ప్రయాణం చేయు apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,మార్పిడి రేటు రీవాల్యుయేషన్ మాస్టర్. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,దయచేసి సెటప్> నంబరింగ్ సిరీస్ ద్వారా హాజరు కోసం నంబరింగ్ సిరీస్‌ను సెటప్ చేయండి apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,మొత్తం ఆఫ్ వ్రాయండి DocType: Leave Block List Allow,Allow User,వాడుకరి అనుమతించు DocType: Journal Entry,Bill No,బిల్ లేవు @@ -1592,6 +1591,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,ఇన్సెంటివ్స్ apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,విలువలు సమకాలీకరించబడలేదు apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,తేడా విలువ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,దయచేసి సెటప్> నంబరింగ్ సిరీస్ ద్వారా హాజరు కోసం నంబరింగ్ సిరీస్‌ను సెటప్ చేయండి DocType: SMS Log,Requested Numbers,అభ్యర్థించిన సంఖ్యలు DocType: Volunteer,Evening,సాయంత్రం DocType: Quiz,Quiz Configuration,క్విజ్ కాన్ఫిగరేషన్ @@ -1757,6 +1757,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,ప్ల DocType: Student Admission,Publish on website,వెబ్ సైట్ ప్రచురించు apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,సరఫరాదారు ఇన్వాయిస్ తేదీ వ్యాఖ్యలు తేదీ కన్నా ఎక్కువ ఉండకూడదు DocType: Installation Note,MAT-INS-.YYYY.-,MAT-ఐఎన్ఎస్-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ఐటెమ్ కోడ్> ఐటెమ్ గ్రూప్> బ్రాండ్ DocType: Subscription,Cancelation Date,రద్దు తేదీ DocType: Purchase Invoice Item,Purchase Order Item,ఆర్డర్ అంశం కొనుగోలు DocType: Agriculture Task,Agriculture Task,వ్యవసాయ పని @@ -2350,7 +2351,6 @@ DocType: Promotional Scheme,Product Discount Slabs,ఉత్పత్తి డ DocType: Target Detail,Target Distribution,టార్గెట్ పంపిణీ DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-తాత్కాలిక అంచనా యొక్క తుది నిర్ణయం apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,పార్టీలు మరియు చిరునామాలను దిగుమతి చేస్తోంది -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},అంశం కోసం UOM మార్పిడి కారకం ({0} -> {1}) కనుగొనబడలేదు: {2} DocType: Salary Slip,Bank Account No.,బ్యాంక్ ఖాతా నంబర్ DocType: Naming Series,This is the number of the last created transaction with this prefix,ఈ ఉపసర్గ గత రూపొందించినవారు లావాదేవీ సంఖ్య DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -3323,7 +3323,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),మొత్తం బిల apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,ఫీజు షెడ్యూల్ సృష్టించండి apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,తిరిగి కస్టమర్ రెవెన్యూ DocType: Soil Texture,Silty Clay Loam,మట్టి క్లే లోమ్ -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,దయచేసి విద్య> విద్య సెట్టింగులలో బోధకుడు నామకరణ వ్యవస్థను సెటప్ చేయండి DocType: Quiz,Enter 0 to waive limit,పరిమితిని వదులుకోవడానికి 0 నమోదు చేయండి DocType: Bank Statement Settings,Mapped Items,మ్యాప్ చేయబడిన అంశాలు DocType: Amazon MWS Settings,IT,ఐటి @@ -3382,6 +3381,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,సెల్ఫ్-డ్రె DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,సరఫరాదారు స్కోర్కార్డింగ్ స్టాండింగ్ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},రో {0}: మెటీరియల్స్ బిల్ అంశం దొరకలేదు {1} DocType: Contract Fulfilment Checklist,Requirement,రిక్వైర్మెంట్ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,దయచేసి మానవ వనరులు> హెచ్ ఆర్ సెట్టింగులలో ఉద్యోగుల నామకరణ వ్యవస్థను సెటప్ చేయండి DocType: Journal Entry,Accounts Receivable,స్వీకరించదగిన ఖాతాలు DocType: Quality Goal,Objectives,లక్ష్యాలు DocType: HR Settings,Role Allowed to Create Backdated Leave Application,బ్యాక్‌డేటెడ్ లీవ్ అప్లికేషన్‌ను సృష్టించడానికి పాత్ర అనుమతించబడింది @@ -3522,6 +3522,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,అప్లైడ్ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,రివర్స్ ఛార్జీకి బాధ్యత వహించే బాహ్య సరఫరా మరియు లోపలి సరఫరా వివరాలు apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,మళ్ళీ తెరువు +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,అనుమతి లేదు. దయచేసి ల్యాబ్ టెస్ట్ మూసను నిలిపివేయండి DocType: Sales Invoice Item,Qty as per Stock UOM,ప్యాక్ చేసిన అంశాల స్టాక్ UoM ప్రకారం apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 పేరు apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,రూట్ కంపెనీ @@ -3607,7 +3608,6 @@ DocType: Payment Request,Transaction Details,లావాదేవీ వివ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,షెడ్యూల్ పొందడానికి 'రూపొందించండి షెడ్యూల్' క్లిక్ చేయండి DocType: Item,"Purchase, Replenishment Details","కొనుగోలు, నింపే వివరాలు" DocType: Products Settings,Enable Field Filters,ఫీల్డ్ ఫిల్టర్‌లను ప్రారంభించండి -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ఐటెమ్ కోడ్> ఐటెమ్ గ్రూప్> బ్రాండ్ apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","కస్టమర్ అందించిన అంశం" కొనుగోలు వస్తువు కూడా కాదు DocType: Blanket Order Item,Ordered Quantity,క్రమ పరిమాణం apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",ఉదా "బిల్డర్ల కోసం టూల్స్ బిల్డ్" @@ -4069,7 +4069,7 @@ DocType: BOM,Operating Cost (Company Currency),ఆపరేటింగ్ వ DocType: Authorization Rule,Applicable To (Role),వర్తించదగిన (పాత్ర) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,పెండింగ్లో ఉన్న ఆకులు DocType: BOM Update Tool,Replace BOM,BOM ను భర్తీ చేయండి -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,కోడ్ {0} ఇప్పటికే ఉనికిలో ఉంది +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,కోడ్ {0} ఇప్పటికే ఉనికిలో ఉంది DocType: Patient Encounter,Procedures,పద్ధతులు apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,సేల్స్ ఆర్డర్లు ఉత్పత్తికి అందుబాటులో లేవు DocType: Asset Movement,Purpose,పర్పస్ @@ -4164,6 +4164,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Employee టైమ్ DocType: Warranty Claim,Service Address,సర్వీస్ చిరునామా apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,మాస్టర్ డేటాను దిగుమతి చేయండి DocType: Asset Maintenance Task,Calibration,అమరిక +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ల్యాబ్ పరీక్ష అంశం {0} ఇప్పటికే ఉంది apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} కంపెనీ సెలవుదినం apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,బిల్ చేయదగిన గంటలు apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,స్థితి నోటిఫికేషన్ వదిలివేయండి @@ -4508,7 +4509,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,జీతం నమోదు DocType: Company,Default warehouse for Sales Return,సేల్స్ రిటర్న్ కోసం డిఫాల్ట్ గిడ్డంగి DocType: Pick List,Parent Warehouse,మాతృ వేర్హౌస్ -DocType: Subscription,Net Total,నికర మొత్తం +DocType: C-Form Invoice Detail,Net Total,నికర మొత్తం apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","తయారీ తేదీ మరియు షెల్ఫ్-జీవితం ఆధారంగా గడువును సెట్ చేయడానికి, వస్తువు యొక్క షెల్ఫ్ జీవితాన్ని రోజుల్లో సెట్ చేయండి." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},డిఫాల్ట్ BOM అంశం దొరకలేదు {0} మరియు ప్రాజెక్ట్ {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,వరుస {0}: దయచేసి చెల్లింపు షెడ్యూల్‌లో చెల్లింపు మోడ్‌ను సెట్ చేయండి @@ -4619,7 +4620,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},టార్గెట్ గిడ్డంగి వరుసగా తప్పనిసరి {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,రిటైల్ కార్యకలాపాలు DocType: Cheque Print Template,Primary Settings,ప్రాథమిక సెట్టింగులు -DocType: Attendance Request,Work From Home,ఇంటి నుండి పని +DocType: Attendance,Work From Home,ఇంటి నుండి పని DocType: Purchase Invoice,Select Supplier Address,సరఫరాదారు అడ్రస్ ఎంచుకోండి apps/erpnext/erpnext/public/js/event.js,Add Employees,ఉద్యోగులను జోడించు DocType: Purchase Invoice Item,Quality Inspection,నాణ్యత తనిఖీ @@ -4853,8 +4854,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,అధికార URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},మొత్తం {0} {1} {2} {3} DocType: Account,Depreciation,అరుగుదల -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","ఈ పత్రాన్ని రద్దు చేయడానికి దయచేసి ఉద్యోగి {0} delete ను తొలగించండి" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,వాటాల సంఖ్య మరియు షేర్ నంబర్లు అస్థిరమైనవి apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),సరఫరాదారు (లు) DocType: Employee Attendance Tool,Employee Attendance Tool,ఉద్యోగి హాజరు టూల్ @@ -5154,7 +5153,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,ప్లాంట్ DocType: Cheque Print Template,Cheque Height,ప్రిపే ఎత్తు DocType: Supplier,Supplier Details,సరఫరాదారు వివరాలు DocType: Setup Progress,Setup Progress,ప్రోగ్రెస్ సెటప్ -DocType: Expense Claim,Approval Status,ఆమోద స్థితి apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},విలువ వరుసగా విలువ కంటే తక్కువ ఉండాలి నుండి {0} DocType: Program,Intro Video,పరిచయ వీడియో DocType: Manufacturing Settings,Default Warehouses for Production,ఉత్పత్తి కోసం డిఫాల్ట్ గిడ్డంగులు @@ -5485,7 +5483,6 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,సెల్ DocType: Purchase Invoice,Rounded Total,నున్నటి మొత్తం apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} కోసం స్లాట్లు షెడ్యూల్కు జోడించబడలేదు DocType: Product Bundle,List items that form the package.,ప్యాకేజీ రూపొందించే జాబితా అంశాలను. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,అనుమతి లేదు. దయచేసి టెస్ట్ మూసను నిలిపివేయండి DocType: Sales Invoice,Distance (in km),దూరం (కిలోమీటర్లు) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,శాతం కేటాయింపు 100% సమానంగా ఉండాలి apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,దయచేసి పార్టీ ఎంచుకోవడం ముందు పోస్టింగ్ తేదిని ఎంచుకోండి @@ -5615,7 +5612,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,ధర జాబితా ఎక్స్చేంజ్ రేట్ apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,అన్ని సరఫరాదారు గుంపులు DocType: Employee Boarding Activity,Required for Employee Creation,Employee క్రియేషన్ కోసం అవసరం -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,సరఫరాదారు> సరఫరాదారు రకం apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},ఖాతా సంఖ్య {0} ఖాతాలో ఇప్పటికే ఉపయోగించబడింది {1} DocType: GoCardless Mandate,Mandate,ఆదేశం DocType: Hotel Room Reservation,Booked,బుక్ @@ -5680,7 +5676,6 @@ DocType: Production Plan Item,Product Bundle Item,ఉత్పత్తి క DocType: Sales Partner,Sales Partner Name,సేల్స్ భాగస్వామి పేరు apps/erpnext/erpnext/hooks.py,Request for Quotations,కొటేషన్స్ కోసం అభ్యర్థన DocType: Payment Reconciliation,Maximum Invoice Amount,గరిష్టంగా ఇన్వాయిస్ మొత్తం -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,ఖాళీ IBAN కోసం BankAccount.validate_iban () విఫలమైంది DocType: Normal Test Items,Normal Test Items,సాధారణ టెస్ట్ అంశాలు DocType: QuickBooks Migrator,Company Settings,కంపెనీ సెట్టింగులు DocType: Additional Salary,Overwrite Salary Structure Amount,జీతం నిర్మాణం మొత్తాన్ని ఓవర్రైట్ చేయండి @@ -5831,6 +5826,7 @@ DocType: Issue,Resolution By Variance,వైవిధ్యం ద్వార DocType: Leave Allocation,Leave Period,కాలం వదిలివేయండి DocType: Item,Default Material Request Type,డిఫాల్ట్ మెటీరియల్ అభ్యర్థన రకం DocType: Supplier Scorecard,Evaluation Period,మూల్యాంకనం కాలం +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,కస్టమర్> కస్టమర్ గ్రూప్> భూభాగం apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,తెలియని apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,వర్క్ ఆర్డర్ సృష్టించబడలేదు apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6190,8 +6186,11 @@ DocType: Salary Component,Formula,ఫార్ములా apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,సీరియల్ # DocType: Material Request Plan Item,Required Quantity,అవసరమైన పరిమాణం DocType: Lab Test Template,Lab Test Template,ల్యాబ్ టెస్ట్ మూస +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,సరఫరాదారు> సరఫరాదారు రకం apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,సేల్స్ ఖాతా DocType: Purchase Invoice Item,Total Weight,మొత్తం బరువు +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ఈ పత్రాన్ని రద్దు చేయడానికి దయచేసి ఉద్యోగి {0} delete ను తొలగించండి" DocType: Pick List Item,Pick List Item,జాబితా అంశం ఎంచుకోండి apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,సేల్స్ కమిషన్ DocType: Job Offer Term,Value / Description,విలువ / వివరణ @@ -6304,6 +6303,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,సంతకం చేయబడింది DocType: Bank Account,Party Type,పార్టీ రకం DocType: Discounted Invoice,Discounted Invoice,డిస్కౌంట్ ఇన్వాయిస్ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,హాజరును గుర్తించండి DocType: Payment Schedule,Payment Schedule,చెల్లింపు షెడ్యూల్ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ఇచ్చిన ఉద్యోగి ఫీల్డ్ విలువ కోసం ఏ ఉద్యోగి కనుగొనబడలేదు. '{}': {} DocType: Item Attribute Value,Abbreviation,సంక్షిప్త @@ -6403,7 +6403,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,ఉంచడం కోస DocType: Employee,Personal Email,వ్యక్తిగత ఇమెయిల్ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,మొత్తం మార్పులలో DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","ప్రారంభించబడితే, సిస్టమ్ స్వయంచాలకంగా జాబితా కోసం అకౌంటింగ్ ఎంట్రీలు పోస్ట్ ఉంటుంది." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () చెల్లని IBAN అంగీకరించబడింది}} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,బ్రోకరేజ్ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,ఉద్యోగుల {0} హాజరు ఇప్పటికే ఈ రోజు గుర్తించబడింది DocType: Work Order Operation,"in Minutes @@ -6666,6 +6665,7 @@ DocType: Appointment,Customer Details,కస్టమర్ వివరాల apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS 1099 ఫారమ్‌లను ముద్రించండి DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,ఆస్తికి ప్రివెంటివ్ మెంటల్ లేదా క్రమాబ్రేషన్ అవసరమైతే తనిఖీ చేయండి apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,కంపెనీ సంక్షిప్తీకరణలో 5 కంటే ఎక్కువ అక్షరాలు ఉండవు +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,పేరెంట్ కంపెనీ తప్పనిసరిగా గ్రూప్ కంపెనీగా ఉండాలి DocType: Employee,Reports to,కు నివేదికలు ,Unpaid Expense Claim,చెల్లించని ఖర్చుల దావా DocType: Payment Entry,Paid Amount,మొత్తం చెల్లించారు @@ -6753,6 +6753,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp కౌంట్ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,ట్రయల్ పీరియడ్ ప్రారంభ తేదీ మరియు ట్రయల్ వ్యవధి ముగింపు తేదీ సెట్ చేయబడాలి apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,సగటు వెల +DocType: Appointment,Appointment With,తో నియామకం apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,చెల్లింపు షెడ్యూల్లో మొత్తం చెల్లింపు మొత్తం గ్రాండ్ / వృత్తాకార మొత్తంకి సమానంగా ఉండాలి apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","కస్టమర్ అందించిన అంశం" విలువ రేటును కలిగి ఉండకూడదు DocType: Subscription Plan Detail,Plan,ప్రణాళిక @@ -6882,7 +6883,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / లీడ్% DocType: Bank Guarantee,Bank Account Info,బ్యాంక్ ఖాతా సమాచారం DocType: Bank Guarantee,Bank Guarantee Type,బ్యాంకు హామీ పద్ధతి -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},చెల్లుబాటు అయ్యే IBAN for Bank కోసం BankAccount.validate_iban () విఫలమైంది DocType: Payment Schedule,Invoice Portion,ఇన్వాయిస్ భాగం ,Asset Depreciations and Balances,ఆస్తి Depreciations మరియు నిల్వలను apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},మొత్తం {0} {1} నుంచి బదిలీ {2} నుండి {3} @@ -7191,6 +7191,7 @@ DocType: Service Level Agreement,Response and Resolution Time,ప్రతిస DocType: Asset,Custodian,కస్టోడియన్ apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,పాయింట్ ఆఫ్ అమ్మకానికి ప్రొఫైల్ apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} 0 మరియు 100 మధ్య విలువ ఉండాలి +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,From Time cannot be later than To Time for {0},సమయం కోసం సమయం కంటే తరువాత ఉండకూడదు నుండి {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},{0} నుండి {0} {0} చెల్లింపు apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),రివర్స్ ఛార్జీకి బాధ్యత వహించే లోపలి సరఫరా (పైన 1 & 2 కాకుండా) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),కొనుగోలు ఆర్డర్ మొత్తం (కంపెనీ కరెన్సీ) @@ -7533,7 +7534,6 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The share DocType: Dosage Form,Dosage Form,మోతాదు ఫారం apps/erpnext/erpnext/config/buying.py,Price List master.,ధర జాబితా మాస్టర్. DocType: Task,Review Date,రివ్యూ తేదీ -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,హాజరును గుర్తించండి DocType: BOM,Allow Alternative Item,ప్రత్యామ్నాయ అంశం అనుమతించు apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,కొనుగోలు రశీదులో నిలుపుదల నమూనా ప్రారంభించబడిన అంశం లేదు. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ఇన్వాయిస్ గ్రాండ్ టోటల్ @@ -7759,7 +7759,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,మాక్స్ రిట్రీ పరిమితి apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,ధర జాబితా దొరకలేదు లేదా డిసేబుల్ లేదు DocType: Content Activity,Last Activity ,చివరి కార్యాచరణ -DocType: Student Applicant,Approved,ఆమోదించబడింది DocType: Pricing Rule,Price,ధర apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} ఏర్పాటు చేయాలి మీద ఉపశమనం ఉద్యోగి 'Left' గా DocType: Guardian,Guardian,సంరక్షకుడు @@ -7931,6 +7930,7 @@ DocType: Taxable Salary Slab,Percent Deduction,శాతం మినహాయ DocType: GL Entry,To Rename,పేరు మార్చడానికి DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,క్రమ సంఖ్యను జోడించడానికి ఎంచుకోండి. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,దయచేసి విద్య> విద్యా సెట్టింగులలో బోధకుడు నామకరణ వ్యవస్థను సెటప్ చేయండి apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',కస్టమర్ '% s' కోసం ఫిస్కల్ కోడ్‌ను సెట్ చేయండి apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,మొదట కంపెనీని ఎంచుకోండి DocType: Item Attribute,Numeric Values,సంఖ్యా విలువలు @@ -7947,6 +7947,7 @@ DocType: Salary Detail,Additional Amount,అదనపు మొత్తం apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,కార్ట్ ఖాళీగా ఉంది apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",అంశం {0} వరుస సంఖ్య లేదు. సీరియల్ నంబర్ పై ఆధారపడిన డెలివరీను మాత్రమే కలిగి ఉంటాయి +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,క్షీణించిన మొత్తం DocType: Vehicle,Model,మోడల్ DocType: Work Order,Actual Operating Cost,వాస్తవ ఆపరేటింగ్ వ్యయం DocType: Payment Entry,Cheque/Reference No,ప్రిపే / సూచన నో diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv index 2114a10eea..eb73bf7bd1 100644 --- a/erpnext/translations/th.csv +++ b/erpnext/translations/th.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,จำนวนยกเ DocType: Exchange Rate Revaluation Account,New Exchange Rate,อัตราแลกเปลี่ยนใหม่ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},สกุลเงินเป็นสิ่งจำเป็นสำหรับราคา {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* จะถูกคำนวณในขณะทำรายการ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,โปรดตั้งค่าระบบการตั้งชื่อพนักงานในทรัพยากรมนุษย์> การตั้งค่าทรัพยากรบุคคล DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,ติดต่อลูกค้า DocType: Shift Type,Enable Auto Attendance,เปิดใช้งานการเข้าร่วมอัตโนมัติ @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,ติดต่อผู้ผลิต DocType: Support Settings,Support Settings,การตั้งค่าการสนับสนุน apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},เพิ่มบัญชี {0} ใน บริษัท ย่อย {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,ข้อมูลประจำตัวที่ไม่ถูกต้อง +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,ทำเครื่องหมายที่ทำงานจากที่บ้าน apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC ว่าง (ไม่ว่าจะอยู่ในส่วน op แบบเต็ม) DocType: Amazon MWS Settings,Amazon MWS Settings,การตั้งค่า Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,กำลังประมวลผลบัตรกำนัล @@ -409,7 +409,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,จำนวน apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,รายละเอียดสมาชิก apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: ผู้ผลิตเป็นสิ่งจำเป็นสำหรับบัญชีเจ้าหนี้ {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,รายการและราคา -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> อาณาเขต apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},ชั่วโมงรวม: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},จากวันที่ควรจะเป็นภายในปีงบประมาณ สมมติว่าตั้งแต่วันที่ = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -456,7 +455,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,ตัวเลือกที่เลือก DocType: SG Creation Tool Course,SG Creation Tool Course,SG หลักสูตรการสร้างเครื่องมือ DocType: Bank Statement Transaction Invoice Item,Payment Description,คำอธิบายการชำระเงิน -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,โปรดตั้ง Naming Series สำหรับ {0} ผ่านการตั้งค่า> การตั้งค่า> Naming Series apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,ไม่เพียงพอที่แจ้ง DocType: Email Digest,New Sales Orders,คำสั่งขายใหม่ DocType: Bank Account,Bank Account,บัญชีเงินฝาก @@ -778,6 +776,7 @@ DocType: Request for Quotation,Request for Quotation,ขอใบเสนอร DocType: Healthcare Settings,Require Lab Test Approval,ต้องได้รับอนุมัติจาก Lab Test DocType: Attendance,Working Hours,เวลาทำการ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,รวมดีเด่น +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ไม่พบปัจจัยการแปลง UOM ({0} -> {1}) สำหรับรายการ: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,เปลี่ยนหมายเลขลำดับเริ่มต้น / ปัจจุบันของชุดที่มีอยู่ DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,เปอร์เซ็นต์ที่คุณได้รับอนุญาตให้เรียกเก็บเงินเพิ่มเติมจากจำนวนที่สั่ง ตัวอย่างเช่น: หากมูลค่าการสั่งซื้อคือ $ 100 สำหรับรายการและการตั้งค่าความอดทนเป็น 10% คุณจะได้รับอนุญาตให้เรียกเก็บเงินเป็นจำนวน $ 110 DocType: Dosage Strength,Strength,ความแข็งแรง @@ -1272,7 +1271,6 @@ DocType: Timesheet,Total Billed Hours,รวมชั่วโมงการเ DocType: Pricing Rule Item Group,Pricing Rule Item Group,การกำหนดราคากลุ่มรายการกฎ DocType: Travel Itinerary,Travel To,ท่องเที่ยวไป apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,หลักการประเมินค่าอัตราแลกเปลี่ยน -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,โปรดตั้งค่าหมายเลขลำดับสำหรับการเข้าร่วมผ่านการตั้งค่า> ลำดับเลข apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,เขียนทันทีจำนวน DocType: Leave Block List Allow,Allow User,อนุญาตให้ผู้ใช้ DocType: Journal Entry,Bill No,หมายเลขบิล @@ -1648,6 +1646,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,แรงจูงใจ apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ค่าไม่ซิงค์กัน apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,ค่าความแตกต่าง +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,โปรดตั้งค่าหมายเลขลำดับสำหรับการเข้าร่วมผ่านการตั้งค่า> ลำดับเลข DocType: SMS Log,Requested Numbers,ตัวเลขการขอ DocType: Volunteer,Evening,ตอนเย็น DocType: Quiz,Quiz Configuration,การกำหนดค่าแบบทดสอบ @@ -1815,6 +1814,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,จาก DocType: Student Admission,Publish on website,เผยแพร่บนเว็บไซต์ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,วันที่จัดจำหน่ายใบแจ้งหนี้ไม่สามารถมีค่ามากกว่าการโพสต์วันที่ DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,รหัสรายการ> กลุ่มรายการ> แบรนด์ DocType: Subscription,Cancelation Date,วันที่ยกเลิก DocType: Purchase Invoice Item,Purchase Order Item,สั่งซื้อสินค้าสั่งซื้อ DocType: Agriculture Task,Agriculture Task,งานเกษตร @@ -2422,7 +2422,6 @@ DocType: Promotional Scheme,Product Discount Slabs,แผ่นพื้นล DocType: Target Detail,Target Distribution,การกระจายเป้าหมาย DocType: Purchase Invoice,06-Finalization of Provisional assessment,06- สรุปผลการประเมินชั่วคราว apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,การนำเข้าภาคีและที่อยู่ -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ไม่พบปัจจัยการแปลง UOM ({0} -> {1}) สำหรับรายการ: {2} DocType: Salary Slip,Bank Account No.,เลขที่บัญชีธนาคาร DocType: Naming Series,This is the number of the last created transaction with this prefix,นี่คือหมายเลขของรายการที่สร้างขึ้นล่าสุดกับคำนำหน้านี้ DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2817,6 +2816,9 @@ DocType: Company,Default Holiday List,เริ่มต้นรายการ DocType: Pricing Rule,Supplier Group,กลุ่มซัพพลายเออร์ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} ย่อย apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},แถว {0}: จากเวลาและเวลาของ {1} มีการทับซ้อนกันด้วย {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",มี BOM ชื่อ {0} อยู่แล้วสำหรับรายการ {1}
คุณเปลี่ยนชื่อรายการหรือไม่ โปรดติดต่อผู้ดูแลระบบ / ฝ่ายสนับสนุนด้านเทคนิค apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,หนี้สิน หุ้น DocType: Purchase Invoice,Supplier Warehouse,คลังสินค้าผู้จัดจำหน่าย DocType: Opportunity,Contact Mobile No,เบอร์มือถือไม่มี @@ -3265,6 +3267,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,โต๊ะประชุมคุณภาพ apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,ไปที่ฟอรัม +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,ไม่สามารถดำเนินการงาน {0} ให้สมบูรณ์เนื่องจากงานที่ขึ้นต่อกัน {1} ไม่ได้ถูกคอมไพล์หรือยกเลิก DocType: Student,Student Mobile Number,หมายเลขโทรศัพท์มือถือของนักเรียน DocType: Item,Has Variants,มีหลากหลายรูปแบบ DocType: Employee Benefit Claim,Claim Benefit For,ขอรับสวัสดิการสำหรับ @@ -3427,7 +3430,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),จำนวนเงิน apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,สร้างตารางค่าธรรมเนียม apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,ซ้ำรายได้ของลูกค้า DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,โปรดตั้งค่าระบบการตั้งชื่อผู้สอนในการศึกษา> การตั้งค่าการศึกษา DocType: Quiz,Enter 0 to waive limit,ป้อน 0 เพื่อยกเว้นข้อ จำกัด DocType: Bank Statement Settings,Mapped Items,รายการที่แมป DocType: Amazon MWS Settings,IT,มัน @@ -3461,7 +3463,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",มีสินทรัพย์ที่สร้างหรือเชื่อมโยงกับ {0} ไม่เพียงพอ \ กรุณาสร้างหรือเชื่อมโยงเนื้อหา {1} กับเอกสารที่เกี่ยวข้อง DocType: Pricing Rule,Apply Rule On Brand,ใช้กฎกับแบรนด์ DocType: Task,Actual End Date (via Time Sheet),ที่เกิดขึ้นจริงวันที่สิ้นสุด (ผ่านใบบันทึกเวลา) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,ไม่สามารถปิดงาน {0} เนื่องจากไม่ได้ปิดภารกิจที่ขึ้นอยู่กับ {1} DocType: Soil Texture,Soil Type,ชนิดของดิน apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},จำนวน {0} {1} กับ {2} {3} ,Quotation Trends,ใบเสนอราคา แนวโน้ม @@ -3491,6 +3492,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,รถยนต์ขับเ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,จัดทำ Scorecard ของผู้จัดหา apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},แถว {0}: Bill of Materials ไม่พบรายการ {1} DocType: Contract Fulfilment Checklist,Requirement,ความต้องการ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,โปรดตั้งค่าระบบการตั้งชื่อพนักงานในทรัพยากรมนุษย์> การตั้งค่าทรัพยากรบุคคล DocType: Journal Entry,Accounts Receivable,ลูกหนี้ DocType: Quality Goal,Objectives,วัตถุประสงค์ DocType: HR Settings,Role Allowed to Create Backdated Leave Application,บทบาทที่ได้รับอนุญาตในการสร้างแอปพลิเคชันออกจากที่ล้าสมัย @@ -3632,6 +3634,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,ประยุกต์ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,รายละเอียดของวัสดุขาออกและวัสดุขาเข้ามีแนวโน้มที่จะย้อนกลับค่าใช้จ่าย apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re - เปิด +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,ไม่อนุญาต โปรดปิดการใช้งานเทมเพลตการทดสอบในแล็บ DocType: Sales Invoice Item,Qty as per Stock UOM,จำนวนตามสต็อก UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,ชื่อ Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,บริษัท รูท @@ -3691,6 +3694,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,ประเภทของธุรกิจ DocType: Sales Invoice,Consumer,ผู้บริโภค apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",กรุณาเลือกจำนวนเงินที่จัดสรรประเภทใบแจ้งหนี้และจำนวนใบแจ้งหนี้ในอย่างน้อยหนึ่งแถว +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,โปรดตั้ง Naming Series สำหรับ {0} ผ่านการตั้งค่า> การตั้งค่า> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,ต้นทุนในการซื้อใหม่ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},การสั่งซื้อสินค้า ที่จำเป็นสำหรับการ ขาย สินค้า {0} DocType: Grant Application,Grant Description,คำอธิบาย Grant @@ -3717,7 +3721,6 @@ DocType: Payment Request,Transaction Details,รายละเอียดธ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,กรุณา คลิกที่ 'สร้าง ตาราง ' ที่จะได้รับ ตารางเวลา DocType: Item,"Purchase, Replenishment Details",ซื้อรายละเอียดการเติมเต็ม DocType: Products Settings,Enable Field Filters,เปิดใช้งานฟิลเตอร์ฟิลด์ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,รหัสรายการ> กลุ่มรายการ> แบรนด์ apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","สินค้าที่ลูกค้าให้มา" ไม่สามารถซื้อสินค้าได้เช่นกัน DocType: Blanket Order Item,Ordered Quantity,จำนวนสั่ง apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","เช่น ""เครื่องมือการสร้างสำหรับผู้ก่อสร้าง """ @@ -4190,7 +4193,7 @@ DocType: BOM,Operating Cost (Company Currency),ต้นทุนการดำ DocType: Authorization Rule,Applicable To (Role),ที่ใช้บังคับกับ (Role) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,รอใบ DocType: BOM Update Tool,Replace BOM,แทนที่ BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,รหัส {0} มีอยู่แล้ว +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,รหัส {0} มีอยู่แล้ว DocType: Patient Encounter,Procedures,ขั้นตอนการ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,ใบสั่งขายไม่พร้อมใช้งานสำหรับการผลิต DocType: Asset Movement,Purpose,ความมุ่งหมาย @@ -4307,6 +4310,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,เพิกเฉยเ DocType: Warranty Claim,Service Address,ที่อยู่บริการ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,นำเข้าข้อมูลหลัก DocType: Asset Maintenance Task,Calibration,การสอบเทียบ +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,มีรายการทดสอบในห้องทดลอง {0} อยู่แล้ว apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} เป็นวันหยุดของ บริษัท apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ชั่วโมงที่เรียกเก็บเงินได้ apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,ออกประกาศสถานะ @@ -4672,7 +4676,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,เงินเดือนที่ต้องการสมัครสมาชิก DocType: Company,Default warehouse for Sales Return,คลังสินค้าเริ่มต้นสำหรับการคืนสินค้า DocType: Pick List,Parent Warehouse,คลังสินค้าผู้ปกครอง -DocType: Subscription,Net Total,สุทธิ +DocType: C-Form Invoice Detail,Net Total,สุทธิ apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",กำหนดอายุการเก็บของรายการเป็นวันเพื่อกำหนดวันหมดอายุตามวันที่ผลิตรวมทั้งอายุการเก็บ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},ไม่พบรายการ BOM เริ่มต้นสำหรับรายการ {0} และโครงการ {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,แถว {0}: โปรดตั้งค่าโหมดการชำระเงินในกำหนดการชำระเงิน @@ -4787,7 +4791,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},คลังสินค้า เป้าหมาย จำเป็นสำหรับ แถว {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,การดำเนินงานค้าปลีก DocType: Cheque Print Template,Primary Settings,การตั้งค่าหลัก -DocType: Attendance Request,Work From Home,ทำงานที่บ้าน +DocType: Attendance,Work From Home,ทำงานที่บ้าน DocType: Purchase Invoice,Select Supplier Address,เลือกที่อยู่ผู้ผลิต apps/erpnext/erpnext/public/js/event.js,Add Employees,เพิ่มพนักงาน DocType: Purchase Invoice Item,Quality Inspection,การตรวจสอบคุณภาพ @@ -5031,8 +5035,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL การให้สิทธิ์ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},จำนวน {0} {1} {2} {3} DocType: Account,Depreciation,ค่าเสื่อมราคา -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","โปรดลบพนักงาน {0} \ เพื่อยกเลิกเอกสารนี้" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,จำนวนหุ้นและจำนวนหุ้นมีความไม่สอดคล้องกัน apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),ผู้ผลิต (s) DocType: Employee Attendance Tool,Employee Attendance Tool,เครื่องมือเข้าร่วมประชุมพนักงาน @@ -5342,7 +5344,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,เกณฑ์กา DocType: Cheque Print Template,Cheque Height,เช็คความสูง DocType: Supplier,Supplier Details,รายละเอียดผู้จัดจำหน่าย DocType: Setup Progress,Setup Progress,ตั้งค่าความคืบหน้า -DocType: Expense Claim,Approval Status,สถานะการอนุมัติ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},จากค่า ต้องน้อยกว่า ค่า ในแถว {0} DocType: Program,Intro Video,วิดีโอแนะนำ DocType: Manufacturing Settings,Default Warehouses for Production,คลังสินค้าเริ่มต้นสำหรับการผลิต @@ -5686,7 +5687,6 @@ DocType: Purchase Invoice,Rounded Total,รวมกลม apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,ช่องสำหรับ {0} จะไม่ถูกเพิ่มลงในกำหนดการ DocType: Product Bundle,List items that form the package.,รายการที่สร้างแพคเกจ apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},ต้องระบุตำแหน่งเป้าหมายขณะโอนสินทรัพย์ {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,ไม่อนุญาต โปรดปิดเทมเพลตการทดสอบ DocType: Sales Invoice,Distance (in km),ระยะทาง (ในกม.) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,ร้อยละ จัดสรร ควรจะเท่ากับ 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,กรุณาเลือกวันที่โพสต์ก่อนที่จะเลือกพรรค @@ -5817,7 +5817,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,ราคาอัตราแลกเปลี่ยนรายชื่อ apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,กลุ่มผู้จัดจำหน่ายทั้งหมด DocType: Employee Boarding Activity,Required for Employee Creation,จำเป็นสำหรับการสร้างพนักงาน -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ผู้ผลิต> ประเภทผู้จำหน่าย apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},เลขที่บัญชี {0} ใช้ไปแล้วในบัญชี {1} DocType: GoCardless Mandate,Mandate,อาณัติ DocType: Hotel Room Reservation,Booked,จอง @@ -5883,7 +5882,6 @@ DocType: Production Plan Item,Product Bundle Item,Bundle รายการส DocType: Sales Partner,Sales Partner Name,ชื่อพันธมิตรขาย apps/erpnext/erpnext/hooks.py,Request for Quotations,การขอใบเสนอราคา DocType: Payment Reconciliation,Maximum Invoice Amount,จำนวนใบแจ้งหนี้สูงสุด -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () ล้มเหลวสำหรับ IBAN ที่ว่างเปล่า DocType: Normal Test Items,Normal Test Items,รายการทดสอบปกติ DocType: QuickBooks Migrator,Company Settings,การตั้งค่าของ บริษัท DocType: Additional Salary,Overwrite Salary Structure Amount,เขียนทับโครงสร้างเงินเดือน @@ -6036,6 +6034,7 @@ DocType: Issue,Resolution By Variance,การแก้ไขตามควา DocType: Leave Allocation,Leave Period,ปล่อยช่วงเวลา DocType: Item,Default Material Request Type,เริ่มต้นขอประเภทวัสดุ DocType: Supplier Scorecard,Evaluation Period,ระยะเวลาการประเมินผล +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> อาณาเขต apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,ไม่ทราบ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,ไม่ได้สร้างใบสั่งงาน apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6401,8 +6400,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,ปริมาณที่ต้องการ DocType: Lab Test Template,Lab Test Template,เทมเพลตการทดสอบ Lab apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},รอบระยะเวลาบัญชีทับซ้อนกับ {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ผู้ผลิต> ประเภทผู้จำหน่าย apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,บัญชีขาย DocType: Purchase Invoice Item,Total Weight,น้ำหนักรวม +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","โปรดลบพนักงาน {0} \ เพื่อยกเลิกเอกสารนี้" DocType: Pick List Item,Pick List Item,เลือกรายการ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,สำนักงานคณะกรรมการกำกับ การขาย DocType: Job Offer Term,Value / Description,ค่า / รายละเอียด @@ -6517,6 +6519,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,ลงนาม DocType: Bank Account,Party Type,ประเภท บุคคล DocType: Discounted Invoice,Discounted Invoice,ส่วนลดใบแจ้งหนี้ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,ทำเครื่องหมายการเข้าร่วมประชุมเป็น DocType: Payment Schedule,Payment Schedule,ตารางการชำระเงิน apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ไม่พบพนักงานสำหรับค่าฟิลด์พนักงานที่ระบุ '{}': {} DocType: Item Attribute Value,Abbreviation,ตัวย่อ @@ -6619,7 +6622,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,เหตุผลในก DocType: Employee,Personal Email,อีเมลส่วนตัว apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,ความแปรปรวนทั้งหมด DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",ถ้าเปิดใช้งานระบบจะโพสต์รายการบัญชีสำหรับสินค้าคงคลังโดยอัตโนมัติ -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () ยอมรับ IBAN ที่ไม่ถูกต้อง {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,ค่านายหน้า apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,การเข้าร่วมประชุมสำหรับพนักงาน {0} ถูกทำเครื่องหมายแล้วสำหรับวันนี้ DocType: Work Order Operation,"in Minutes @@ -6890,6 +6892,7 @@ DocType: Appointment,Customer Details,รายละเอียดลูกค apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,"พิมพ์ฟอร์ม IRS 1,099" DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,ตรวจสอบว่าสินทรัพย์ต้องการการบำรุงรักษาเชิงป้องกันหรือการปรับเทียบ apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,ชื่อย่อของ บริษัท ต้องมีอักขระไม่เกิน 5 ตัว +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,บริษัท แม่จะต้องเป็น บริษัท ในเครือ DocType: Employee,Reports to,รายงานไปยัง ,Unpaid Expense Claim,การเรียกร้องค่าใช้จ่ายที่ค้างชำระ DocType: Payment Entry,Paid Amount,จำนวนเงินที่ชำระ @@ -6979,6 +6982,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,ต้องตั้งค่าวันที่เริ่มต้นทดลองใช้และวันที่สิ้นสุดระยะทดลองใช้ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,อัตราเฉลี่ย +DocType: Appointment,Appointment With,นัดหมายกับ apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,จำนวนเงินที่ชำระในตารางการชำระเงินต้องเท่ากับยอดรวม / ยอดรวม apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","รายการที่ลูกค้าให้ไว้" ไม่สามารถมีอัตราการประเมินค่าได้ DocType: Subscription Plan Detail,Plan,วางแผน @@ -7112,7 +7116,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,ข้อมูลบัญชีธนาคาร DocType: Bank Guarantee,Bank Guarantee Type,ประเภทการรับประกันธนาคาร -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () ล้มเหลวสำหรับ IBAN ที่ถูกต้อง {} DocType: Payment Schedule,Invoice Portion,ส่วนใบแจ้งหนี้ ,Asset Depreciations and Balances,ค่าเสื่อมราคาสินทรัพย์และยอดคงเหลือ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},จำนวน {0} {1} โอนจาก {2} เป็น {3} @@ -7783,7 +7786,6 @@ DocType: Dosage Form,Dosage Form,แบบฟอร์มปริมาณ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},โปรดตั้งค่ากำหนดการแคมเปญในแคมเปญ {0} apps/erpnext/erpnext/config/buying.py,Price List master.,หลัก ราคาตามรายการ DocType: Task,Review Date,ทบทวนวันที่ -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,ทำเครื่องหมายการเข้าร่วมประชุมเป็น DocType: BOM,Allow Alternative Item,อนุญาตรายการทางเลือก apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,ใบเสร็จรับเงินซื้อไม่มีรายการใด ๆ ที่เปิดใช้งานเก็บตัวอย่างไว้ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ยอดรวมใบแจ้งหนี้ @@ -8015,7 +8017,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,ขีด จำกัด การเรียกซ้ำสูงสุด apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,ราคาไม่พบหรือคนพิการ DocType: Content Activity,Last Activity ,กิจกรรมล่าสุด -DocType: Student Applicant,Approved,ได้รับการอนุมัติ DocType: Pricing Rule,Price,ราคา apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',พนักงาน โล่งใจ ที่ {0} จะต้องตั้งค่า เป็น ' ซ้าย ' DocType: Guardian,Guardian,ผู้ปกครอง @@ -8187,6 +8188,7 @@ DocType: Taxable Salary Slab,Percent Deduction,เปอร์เซ็นต์ DocType: GL Entry,To Rename,เพื่อเปลี่ยนชื่อ DocType: Stock Entry,Repack,หีบห่ออีกครั้ง apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,เลือกเพื่อเพิ่มหมายเลขซีเรียล +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,โปรดตั้งค่าระบบการตั้งชื่อผู้สอนในด้านการศึกษา> การตั้งค่าการศึกษา apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',โปรดตั้งรหัสทางการเงินสำหรับลูกค้า '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,โปรดเลือก บริษัท ก่อน DocType: Item Attribute,Numeric Values,ค่าที่เป็นตัวเลข @@ -8203,6 +8205,7 @@ DocType: Salary Detail,Additional Amount,จำนวนเงินเพิ่ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,รถเข็นที่ว่างเปล่า apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",รายการ {0} ไม่มีหมายเลขประจำผลิตภัณฑ์เท่านั้นรายการ serilialized \ สามารถมีการจัดส่งตามหมายเลขลำดับ +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,จำนวนเงินที่คิดค่าเสื่อมราคา DocType: Vehicle,Model,แบบ DocType: Work Order,Actual Operating Cost,ต้นทุนการดำเนินงานที่เกิดขึ้นจริง DocType: Payment Entry,Cheque/Reference No,เช็ค / อ้างอิง diff --git a/erpnext/translations/tr.csv b/erpnext/translations/tr.csv index 9d167fa07e..e1d94efcab 100644 --- a/erpnext/translations/tr.csv +++ b/erpnext/translations/tr.csv @@ -47,7 +47,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Standart Vergi Muafiyeti T DocType: Exchange Rate Revaluation Account,New Exchange Rate,Yeni Döviz Kuru apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Döviz Fiyat Listesi için gereklidir {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* İşlemde hesaplanacaktır. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Lütfen İnsan Kaynakları> İK Ayarları bölümünde Çalışan Adlandırma Sistemini kurun DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Müşteri İrtibatı DocType: Shift Type,Enable Auto Attendance,Otomatik Katılımı Etkinleştir @@ -103,6 +102,7 @@ DocType: SMS Center,All Supplier Contact,Bütün Tedarikçi İrtibatları DocType: Support Settings,Support Settings,Destek Ayarları apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},{1} alt şirketine {0} hesabı eklendi apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Geçersiz kimlik bilgileri +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,İşi Evden İşaretle apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC Available (tam bölümlerinde olsun) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Ayarları apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Fiş İşleme @@ -443,7 +443,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Değere Dahil E apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Üyelik Detayları apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Borç hesabı {2} için tedarikçi tanımlanmalıdır apps/erpnext/erpnext/config/buying.py,Items and Pricing,Öğeler ve Fiyatlandırma -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Müşteri> Müşteri Grubu> Bölge apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Toplam saat: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Tarihten itibaren Mali yıl içinde olmalıdır Tarihten itibaren = {0} varsayılır DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-FTR-.YYYY.- @@ -494,7 +493,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Seçili Seçenek DocType: SG Creation Tool Course,SG Creation Tool Course,SG Oluşturma Aracı Kursu DocType: Bank Statement Transaction Invoice Item,Payment Description,Ödeme Açıklaması -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Lütfen Kurulum> Ayarlar> Adlandırma Serisi aracılığıyla {0} için Adlandırma Serisini ayarlayın apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Yetersiz Stok DocType: Email Digest,New Sales Orders,Yeni Satış Emirleri DocType: Bank Account,Bank Account,Banka Hesabı @@ -837,6 +835,7 @@ DocType: Request for Quotation,Request for Quotation,Fiyat Teklif Talebi DocType: Healthcare Settings,Require Lab Test Approval,Laboratuvar Testi Onayı Gerektirir DocType: Attendance,Working Hours,Iş saatleri apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Toplam Üstün +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},{2} öğesi için UOM Dönüşüm faktörü ({0} -> {1}) bulunamadı. DocType: Naming Series,Change the starting / current sequence number of an existing series.,Varolan bir serinin başlangıç / geçerli sıra numarasını değiştirin. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Yüzde, sipariş edilen miktara karşı daha fazla fatura kesmenize izin verir. Örneğin: Bir öğe için sipariş değeri 100 ABD dolarıysa ve tolerans% 10 olarak ayarlandıysa, 110 ABD doları faturalandırmanıza izin verilir." DocType: Dosage Strength,Strength,kuvvet @@ -1377,7 +1376,6 @@ DocType: Timesheet,Total Billed Hours,Toplam Faturalı Saat DocType: Pricing Rule Item Group,Pricing Rule Item Group,Fiyatlandırma Kuralı Madde Grubu DocType: Travel Itinerary,Travel To,Seyahat apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Döviz Kuru Yeniden Değerleme ana. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Lütfen Katılım> Numaralandırma Serisi aracılığıyla Katılım için numaralandırma serilerini ayarlayın apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Şüpheli Alacak Miktarı DocType: Leave Block List Allow,Allow User,Kullanıcıya izin ver DocType: Journal Entry,Bill No,Fatura No @@ -1779,6 +1777,7 @@ DocType: Sales Team,Incentives,Teşvikler DocType: Sales Team,Incentives,Teşvikler apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Senkronizasyon Dışı Değerler apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Fark Değeri +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Lütfen Katılım> Numaralandırma Serisi aracılığıyla Katılım için numaralandırma serilerini ayarlayın DocType: SMS Log,Requested Numbers,Talep Sayılar DocType: Volunteer,Evening,Akşam DocType: Quiz,Quiz Configuration,Sınav Yapılandırması @@ -1954,6 +1953,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Yerden DocType: Student Admission,Publish on website,Web sitesinde yayımlamak apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,"Tedarikçi Fatura Tarihi, postalama tarihinden büyük olamaz" DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Ürün Kodu> Ürün Grubu> Marka DocType: Subscription,Cancelation Date,İptal Tarihi DocType: Purchase Invoice Item,Purchase Order Item,Satınalma Siparişi Ürünleri DocType: Agriculture Task,Agriculture Task,Tarım Görevi @@ -2607,7 +2607,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Ürün İndirimli Döşeme DocType: Target Detail,Target Distribution,Hedef Dağıtımı DocType: Purchase Invoice,06-Finalization of Provisional assessment,06- Geçici değerlendirme sonuçlandırması apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Tarafları ve Adresleri İçe Aktarma -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},{2} öğesi için UOM Dönüşüm faktörü ({0} -> {1}) bulunamadı. DocType: Salary Slip,Bank Account No.,Banka Hesap No DocType: Naming Series,This is the number of the last created transaction with this prefix,Bu ön ekle son oluşturulmuş işlemlerin sayısıdır DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -3040,6 +3039,9 @@ DocType: Company,Default Holiday List,Tatil Listesini Standart DocType: Pricing Rule,Supplier Group,Tedarikçi Grubu apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Özet apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Satır {0}: Zaman ve zaman {1} ile örtüşen {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",{1} öğesi için {0} adında bir ürün ağacı zaten var.
Öğeyi yeniden adlandırdınız mı? Lütfen Yönetici / Teknik desteğe başvurun apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Stok Yükümlülükleri DocType: Purchase Invoice,Supplier Warehouse,Tedarikçi Deposu DocType: Purchase Invoice,Supplier Warehouse,Tedarikçi Deposu @@ -3515,6 +3517,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA .YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Kalite Toplantı Masası apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Forumları ziyaret et +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,{0} görevi tamamlanamıyor çünkü bağımlı görevi {1} tamamlanmadı / iptal edilmedi. DocType: Student,Student Mobile Number,Öğrenci Cep Numarası DocType: Item,Has Variants,Varyasyoları var DocType: Employee Benefit Claim,Claim Benefit For,Için hak talebi @@ -3690,7 +3693,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Toplam Fatura Tutarı (Zaman apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Ücret Tarifesi Yarat apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Tekrar Müşteri Gelir DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Lütfen Eğitim> Eğitim Ayarları bölümünde Eğitmen Adlandırma Sistemini kurun DocType: Quiz,Enter 0 to waive limit,Sınırdan feragat etmek için 0 girin DocType: Bank Statement Settings,Mapped Items,Eşlenmiş Öğeler DocType: Amazon MWS Settings,IT,O @@ -3725,7 +3727,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",{0} ile oluşturulmuş veya bağlantılı yeterli öğe yok. \ Lütfen {1} Varlıkları ilgili belgeyle oluşturun veya bağlayın. DocType: Pricing Rule,Apply Rule On Brand,Marka Üzerine Kural Uygula DocType: Task,Actual End Date (via Time Sheet),Gerçek tamamlanma tarihi (Zaman Tablosu'ndan) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,{0} görevi kapatılamıyor çünkü bağımlı görevi {1} kapalı değil. DocType: Soil Texture,Soil Type,Toprak tipi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Miktar {0} {2} karşılığı {1} {3} ,Quotation Trends,Teklif Trendleri @@ -3757,6 +3758,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Kendinden Sürüşlü Araç DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Tedarikçi Puan Kartı Daimi apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Satır {0}: Malzeme Listesi Öğe için bulunamadı {1} DocType: Contract Fulfilment Checklist,Requirement,gereklilik +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Lütfen İnsan Kaynakları> İK Ayarları bölümünde Çalışan Adlandırma Sistemini kurun DocType: Journal Entry,Accounts Receivable,Alacak hesapları DocType: Journal Entry,Accounts Receivable,Alacak hesapları DocType: Quality Goal,Objectives,Hedefler @@ -3909,6 +3911,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Başvuruldu apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Dışa Sarf Malzemelerinin ve geri beslemeden sorumlu olan iç sarf malzemelerinin ayrıntıları apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Yeniden açın +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,İzin verilmedi. Lütfen Laboratuvar Test Şablonunu devre dışı bırakın DocType: Sales Invoice Item,Qty as per Stock UOM,Her Stok Ölçü Birimi (birim) için miktar apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Adı apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Kök Şirketi @@ -3975,6 +3978,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,İş türü DocType: Sales Invoice,Consumer,Tüketici apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","En az bir satırda Tahsis Tutar, Fatura Türü ve Fatura Numarası seçiniz" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Lütfen Kurulum> Ayarlar> Adlandırma Serisi aracılığıyla {0} için Adlandırma Serisini ayarlayın apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Yeni Satın Alma Maliyeti apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Ürün {0}için Satış Sipariş gerekli DocType: Grant Application,Grant Description,Grant Açıklama @@ -4004,7 +4008,6 @@ DocType: Payment Request,Transaction Details,ödeme detayları apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,Programı almak için 'Program Oluştura' tıklayınız DocType: Item,"Purchase, Replenishment Details","Satın Alma, Yenileme Detayları" DocType: Products Settings,Enable Field Filters,Alan Filtrelerini Etkinleştir -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Ürün Kodu> Ürün Grubu> Marka apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","""Müşterinin tedarik ettiği kalem"" aynı zamanda Satınalma Kalemi olamaz" DocType: Blanket Order Item,Ordered Quantity,Sipariş Edilen Miktar apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","örneğin: ""Yazılım Çözümleri""" @@ -4506,7 +4509,7 @@ DocType: BOM,Operating Cost (Company Currency),İşletme Maliyeti (Şirket Para DocType: Authorization Rule,Applicable To (Role),(Rolü) için uygulanabilir apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Bekleyen Yapraklar DocType: BOM Update Tool,Replace BOM,BOM değiştirme -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,{0} kodu zaten var +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,{0} kodu zaten var DocType: Patient Encounter,Procedures,prosedürler apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Satış siparişleri üretim için mevcut değildir DocType: Asset Movement,Purpose,Amaç @@ -4629,6 +4632,7 @@ DocType: Warranty Claim,Service Address,Servis Adresi DocType: Warranty Claim,Service Address,Servis Adresi apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Ana Verileri İçe Aktar DocType: Asset Maintenance Task,Calibration,ayarlama +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Laboratuar Test Öğesi {0} zaten var apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} şirket tatilidir apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Faturalandırılabilir Saatler apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Durum Bildirimini Bırak @@ -5022,8 +5026,8 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,Maaş Kayıt DocType: Company,Default warehouse for Sales Return,Satış İadesi için varsayılan depo DocType: Pick List,Parent Warehouse,Ana Depo -DocType: Subscription,Net Total,Net Toplam -DocType: Subscription,Net Total,Net Toplam +DocType: C-Form Invoice Detail,Net Total,Net Toplam +DocType: C-Form Invoice Detail,Net Total,Net Toplam apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Üretim tarihine ve raf ömrüne bağlı olarak son kullanma tarihini ayarlamak için öğenin raf ömrünü ayarlayın. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Öğe {0} ve Proje {1} için varsayılan BOM bulunamadı apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,{0} Satırı: Lütfen Ödeme Planında Ödeme Modunu ayarlayın @@ -5144,7 +5148,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Satır {0} için hedef depo zorunludur apps/erpnext/erpnext/config/retail.py,Retail Operations,Perakende İşlemleri DocType: Cheque Print Template,Primary Settings,İlköğretim Ayarlar -DocType: Attendance Request,Work From Home,Evden çalışmak +DocType: Attendance,Work From Home,Evden çalışmak DocType: Purchase Invoice,Select Supplier Address,Seç Tedarikçi Adresi apps/erpnext/erpnext/public/js/event.js,Add Employees,Çalışan ekle DocType: Purchase Invoice Item,Quality Inspection,Kalite Kontrol @@ -5414,8 +5418,6 @@ DocType: QuickBooks Migrator,Authorization URL,Yetkilendirme URL'si apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Miktar {0} {1} {2} {3} DocType: Account,Depreciation,Amortisman DocType: Account,Depreciation,Amortisman -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Bu dokümanı iptal etmek için lütfen Çalışan {0} \ 'yı silin" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Hisse sayısı ve hisse sayıları tutarsız apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Tedarikçi (ler) DocType: Employee Attendance Tool,Employee Attendance Tool,Çalışan Seyirci Aracı @@ -5739,8 +5741,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Bitki Analiz Kriterleri DocType: Cheque Print Template,Cheque Height,Çek Yükseklik DocType: Supplier,Supplier Details,Tedarikçi Ayrıntıları DocType: Setup Progress,Setup Progress,Kurulum İlerlemesi -DocType: Expense Claim,Approval Status,Onay Durumu -DocType: Expense Claim,Approval Status,Onay Durumu apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},"Değerden, {0} satırındaki değerden az olmalıdır" DocType: Program,Intro Video,Tanıtım Videosu DocType: Manufacturing Settings,Default Warehouses for Production,Varsayılan Üretim Depoları @@ -6100,7 +6100,6 @@ DocType: Purchase Invoice,Rounded Total,Yuvarlanmış Toplam apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} için yuvalar programa eklenmez DocType: Product Bundle,List items that form the package.,Ambalajı oluşturan Ürünleri listeleyin apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},{0} Varlığı aktarılırken Hedef Konum gerekli -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,İzin verilmedi. Lütfen Test Şablonu'nu devre dışı bırakın DocType: Sales Invoice,Distance (in km),Mesafe (km olarak) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Yüzde Tahsisi % 100'e eşit olmalıdır apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Partiyi seçmeden önce Gönderme Tarihi seçiniz @@ -6238,7 +6237,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Fiyat Listesi Döviz Kuru apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Tüm Tedarikçi Grupları DocType: Employee Boarding Activity,Required for Employee Creation,Çalışan Yaratma için Gerekli -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tedarikçi> Tedarikçi Türü apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},{1} hesapta {0} hesap numarası zaten kullanıldı DocType: GoCardless Mandate,Mandate,manda DocType: Hotel Room Reservation,Booked,ayrılmış @@ -6315,7 +6313,6 @@ DocType: Sales Partner,Sales Partner Name,Satış Ortağı Adı DocType: Sales Partner,Sales Partner Name,Satış Ortağı Adı apps/erpnext/erpnext/hooks.py,Request for Quotations,Fiyat Teklif Talepleri DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimum Fatura Tutarı -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,Boş IBAN için BankAccount.validate_iban () başarısız oldu DocType: Normal Test Items,Normal Test Items,Normal Test Öğeleri DocType: QuickBooks Migrator,Company Settings,Firma Ayarları DocType: QuickBooks Migrator,Company Settings,Firma Ayarları @@ -6482,6 +6479,7 @@ DocType: Issue,Resolution By Variance,Varyans ile Çözünürlük DocType: Leave Allocation,Leave Period,Dönme Süresi DocType: Item,Default Material Request Type,Standart Malzeme Talebi Tipi DocType: Supplier Scorecard,Evaluation Period,Değerlendirme Süresi +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Müşteri> Müşteri Grubu> Bölge apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Bilinmeyen apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,İş Emri oluşturulmadı apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6865,8 +6863,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Seri # DocType: Material Request Plan Item,Required Quantity,Gerekli miktar DocType: Lab Test Template,Lab Test Template,Lab Test Şablonu apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Muhasebe Dönemi {0} ile örtüşüyor +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tedarikçi> Tedarikçi Türü apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Satış hesabı DocType: Purchase Invoice Item,Total Weight,Toplam ağırlık +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Bu dokümanı iptal etmek için lütfen Çalışan {0} \ 'yı silin" DocType: Pick List Item,Pick List Item,Liste Öğesini Seç apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Satış Komisyonu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Satış Komisyonu @@ -6996,6 +6997,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,İmzalandı DocType: Bank Account,Party Type,Taraf Türü DocType: Discounted Invoice,Discounted Invoice,İndirimli Fatura +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Katılımı olarak işaretle DocType: Payment Schedule,Payment Schedule,Ödeme PLANI apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Verilen çalışanın saha değeri için çalışan bulunamadı. '{}': {} DocType: Item Attribute Value,Abbreviation,Kısaltma @@ -7103,7 +7105,6 @@ DocType: Employee,Personal Email,Kişisel E-posta DocType: Employee,Personal Email,Kişisel E-posta apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Toplam Varyans DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Etkinse, sistem otomatik olarak envanter için muhasebe kayıtlarını yayınlayacaktır" -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () geçersiz IBAN kabul etti {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Komisyonculuk apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Komisyonculuk apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,çalışan {0} için Seyirci zaten bu gün için işaretlenmiş @@ -7393,6 +7394,7 @@ DocType: Appointment,Customer Details,Müşteri Detayları apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS 1099 Formlarını Yazdır DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Varlık Önleyici Bakım veya Kalibrasyon gerektirir kontrol edin apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Şirket Kısaltması 5 karakterden uzun olamaz +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Ana Şirket bir grup şirketi olmalıdır DocType: Employee,Reports to,Raporlar DocType: Employee,Reports to,Raporlar ,Unpaid Expense Claim,Ödenmemiş Gider Talebi @@ -7489,6 +7491,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Sayısı apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Her iki Deneme Süresi Başlangıç Tarihi ve Deneme Dönemi Bitiş Tarihi ayarlanmalıdır apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Ortalama Oran +DocType: Appointment,Appointment With,İle randevu apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Ödeme Planındaki Toplam Ödeme Tutarı Grand / Rounded Total'e eşit olmalıdır. apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Müşterinin tedarik ettiği kalem"" Değerleme oranına sahip olamaz." DocType: Subscription Plan Detail,Plan,Plan @@ -7638,7 +7641,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Satış Fırsatı/Müşteri Adayı yüzdesi DocType: Bank Guarantee,Bank Account Info,Banka Hesap Bilgileri DocType: Bank Guarantee,Bank Guarantee Type,Banka Garanti Türü -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () geçerli IBAN için {} başarısız oldu DocType: Payment Schedule,Invoice Portion,Fatura Porsiyonu ,Asset Depreciations and Balances,Varlık Değer Kayıpları ve Hesapları apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},{0} {1} miktarı {2}'den {3}'e aktarılacak @@ -8370,7 +8372,6 @@ DocType: Dosage Form,Dosage Form,Dozaj formu apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Lütfen {0} Kampanyasında Kampanya Zamanlamasını ayarlayın apps/erpnext/erpnext/config/buying.py,Price List master.,Fiyat Listesi alanı DocType: Task,Review Date,İnceleme tarihi -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Katılımı olarak işaretle DocType: BOM,Allow Alternative Item,Alternatif Öğeye İzin Ver apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Satın Alma Fişinde, Örneği Tut'un etkinleştirildiği bir Öğe yoktur." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Fatura Genel Toplamı @@ -8613,7 +8614,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Maksimum Yeniden Deneme Sınırı apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Fiyat Listesi bulunamadı veya devre dışı değil DocType: Content Activity,Last Activity ,son Aktivite -DocType: Student Applicant,Approved,Onaylandı DocType: Pricing Rule,Price,Fiyat DocType: Pricing Rule,Price,Fiyat apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"{0} üzerinde bırakılan işçi 'ayrılı' olarak ayarlanmalıdır""" @@ -8798,6 +8798,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Yüzde kesinti DocType: GL Entry,To Rename,Yeniden adlandırmak için DocType: Stock Entry,Repack,Yeniden paketlemek apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Seri Numarası eklemek için seçin. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Lütfen Eğitim> Eğitim Ayarları bölümünde Eğitmen Adlandırma Sistemini kurun apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Lütfen müşterinin Mali Kodunu '% s' olarak ayarlayın apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Lütfen önce Şirketi seçin DocType: Item Attribute,Numeric Values,Sayısal Değerler @@ -8814,6 +8815,7 @@ DocType: Salary Detail,Additional Amount,Ek miktar apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Sepet Boş apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Öğe {0} hiçbir Seri Numarası içermez. Sadece serilleşmiş öğeler \ Seri No'ya göre teslimat yapabilir +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Amortisman Tutarı DocType: Vehicle,Model,model DocType: Work Order,Actual Operating Cost,Gerçek İşletme Maliyeti DocType: Payment Entry,Cheque/Reference No,Çek / Referans No diff --git a/erpnext/translations/uk.csv b/erpnext/translations/uk.csv index e8da46aa3a..d914e8a7f3 100644 --- a/erpnext/translations/uk.csv +++ b/erpnext/translations/uk.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Стандартна су DocType: Exchange Rate Revaluation Account,New Exchange Rate,Новий обмінний курс apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Валюта необхідна для Прайс-листа {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Розраховуватиметься у операції -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Будь ласка, налаштуйте Систему іменування співробітників у Людських ресурсах> Налаштування HR" DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Контакти з клієнтами DocType: Shift Type,Enable Auto Attendance,Увімкнути автоматичне відвідування @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Всі постачальником З DocType: Support Settings,Support Settings,налаштування підтримки apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},У дочірній компанії {1} додано рахунок {0} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Недійсні облікові дані +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Позначити роботу з дому apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),Доступний ITC (будь то в повній частині DocType: Amazon MWS Settings,Amazon MWS Settings,Налаштування Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Обробка ваучерів @@ -409,7 +409,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,"Сума по apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Інформація про членство apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Постачальник повинен мати Платіжний рахунок {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Товари та ціни -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клієнт> Група клієнтів> Територія apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Загальна кількість годин: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},"""Від дати"" має бути в межах бюджетного періоду. Припускаючи, що ""Від дати"" = {0}" DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -456,7 +455,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Вибраний варіант DocType: SG Creation Tool Course,SG Creation Tool Course,SG Створення курсу інструменту DocType: Bank Statement Transaction Invoice Item,Payment Description,Опис оплати -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Будь ласка, встановіть назву серії на {0} за допомогою пункту Налаштування> Налаштування> Іменування серії" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,недостатній запас DocType: Email Digest,New Sales Orders,Нові Замовлення клієнтів DocType: Bank Account,Bank Account,Банківський рахунок @@ -778,6 +776,7 @@ DocType: Request for Quotation,Request for Quotation,Запит пропозиц DocType: Healthcare Settings,Require Lab Test Approval,Потрібне підтвердження випробування на випробування DocType: Attendance,Working Hours,Робочі години apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Усього видатних +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Коефіцієнт конверсії UOM ({0} -> {1}) не знайдено для елемента: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Змінити стартову / поточний порядковий номер існуючого ряду. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Відсоток, який вам дозволяється нараховувати більше, ніж замовлена сума. Наприклад: Якщо вартість товару для товару становить 100 доларів, а допуск встановлено як 10%, то вам дозволяється виставити рахунок за 110 доларів." DocType: Dosage Strength,Strength,Сила @@ -1271,7 +1270,6 @@ DocType: Timesheet,Total Billed Hours,Всього Оплачувані Годи DocType: Pricing Rule Item Group,Pricing Rule Item Group,Група правил щодо ціни DocType: Travel Itinerary,Travel To,Подорожувати до apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Мастер переоцінки обмінного курсу -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Установіть серію нумерації для відвідування за допомогою параметра Налаштування> Серія нумерації apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Списання Сума DocType: Leave Block List Allow,Allow User,Дозволити користувачеві DocType: Journal Entry,Bill No,Bill № @@ -1627,6 +1625,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Стимули apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Значення не синхронізовані apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Значення різниці +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Установіть серію нумерації для відвідування за допомогою параметра Налаштування> Серія нумерації DocType: SMS Log,Requested Numbers,Необхідні Номери DocType: Volunteer,Evening,Вечір DocType: Quiz,Quiz Configuration,Конфігурація вікторини @@ -1794,6 +1793,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,З міс DocType: Student Admission,Publish on website,Опублікувати на веб-сайті apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Дата рахунку постачальника не може бути більше за дату створення DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товару> Група предметів> Бренд DocType: Subscription,Cancelation Date,Дата скасування DocType: Purchase Invoice Item,Purchase Order Item,Позиція замовлення на придбання DocType: Agriculture Task,Agriculture Task,Завдання сільського господарства @@ -2402,7 +2402,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Плити із знижко DocType: Target Detail,Target Distribution,Розподіл цілей DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Завершення попередньої оцінки apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Сторони та адреси імпорту -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Коефіцієнт конверсії UOM ({0} -> {1}) не знайдено для елемента: {2} DocType: Salary Slip,Bank Account No.,№ банківського рахунку DocType: Naming Series,This is the number of the last created transaction with this prefix,Це номер останнього створеного операції з цим префіксом DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2796,6 +2795,9 @@ DocType: Company,Default Holiday List,Список вихідних за зам DocType: Pricing Rule,Supplier Group,Група постачальників apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Дайджест apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Рядок {0}: Від часу і часу {1} перекривається з {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",Для елемента {1} вже існує BOM з назвою {0}.
Ви перейменували товар? Зверніться до служби підтримки адміністратора / технічної служби apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Зобов'язання по запасах DocType: Purchase Invoice,Supplier Warehouse,Склад постачальника DocType: Opportunity,Contact Mobile No,№ мобільного Контакту @@ -3244,6 +3246,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Таблиця якісних зустрічей apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Відвідайте форуми +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Не вдається виконати завдання {0}, оскільки його залежне завдання {1} не завершено / скасовано." DocType: Student,Student Mobile Number,Студент Мобільний телефон DocType: Item,Has Variants,Має Варіанти DocType: Employee Benefit Claim,Claim Benefit For,Поскаржитися на виплату @@ -3405,7 +3408,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Загальна сума о apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Створіть графік плати apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Виручка від постійних клієнтів DocType: Soil Texture,Silty Clay Loam,М'який клей-луг -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Будь ласка, налаштуйте систему іменування інструкторів у програмі Освіта> Налаштування освіти" DocType: Quiz,Enter 0 to waive limit,Введіть 0 для обмеження обмеження DocType: Bank Statement Settings,Mapped Items,Маповані елементи DocType: Amazon MWS Settings,IT,ІТ @@ -3439,7 +3441,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.","Немає об’єктів, створених або пов’язаних із {0}. \ Створіть або зв’яжіть {1} Активи з відповідним документом." DocType: Pricing Rule,Apply Rule On Brand,Застосувати правило щодо торгової марки DocType: Task,Actual End Date (via Time Sheet),Фактична дата закінчення (за допомогою табеля робочого часу) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Неможливо закрити завдання {0}, оскільки його залежне завдання {1} не закрите." DocType: Soil Texture,Soil Type,Тип грунту apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Сума {0} {1} проти {2} {3} ,Quotation Trends,Тренд пропозицій @@ -3469,6 +3470,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Самостійне водін DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Поставщик Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Рядок {0}: Відомість матеріалів не знайдено для елемента {1} DocType: Contract Fulfilment Checklist,Requirement,Вимога +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Будь ласка, налаштуйте Систему іменування співробітників у Людських ресурсах> Налаштування HR" DocType: Journal Entry,Accounts Receivable,Дебіторська заборгованість DocType: Quality Goal,Objectives,Цілі DocType: HR Settings,Role Allowed to Create Backdated Leave Application,"Роль, дозволена для створення запущеної програми залишення" @@ -3610,6 +3612,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,прикладна apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,"Деталі зовнішніх запасів та внутрішніх запасів, що підлягають зворотному заряду" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Знову відкрийте +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,"Не дозволено. Будь ласка, відключіть шаблон тестування лабораторії" DocType: Sales Invoice Item,Qty as per Stock UOM,Кількість у складській од.вим. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,ім'я Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Коренева компанія @@ -3669,6 +3672,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Вид бізнесу DocType: Sales Invoice,Consumer,Споживач apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Будь ласка, виберіть суму розподілу, тип та номер рахунку-фактури в принаймні одному рядку" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Будь ласка, встановіть назву серії на {0} за допомогою пункту Налаштування> Налаштування> Іменування серії" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Вартість нової покупки apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Неохідно вказати Замовлення клієнта для позиції {0} DocType: Grant Application,Grant Description,Опис гранту @@ -3695,7 +3699,6 @@ DocType: Payment Request,Transaction Details,Деталі транзакції apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,"Будь ласка, натисніть на кнопку ""Згенерувати розклад"", щоб отримати розклад" DocType: Item,"Purchase, Replenishment Details","Деталі придбання, поповнення" DocType: Products Settings,Enable Field Filters,Увімкнути фільтри поля -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товару> Група предметів> Бренд apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also",""Товар, що надається клієнтом", також не може бути предметом придбання" DocType: Blanket Order Item,Ordered Quantity,Замовлену кількість apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","наприклад, "Створення інструментів для будівельників"" @@ -4168,7 +4171,7 @@ DocType: BOM,Operating Cost (Company Currency),Експлуатаційні ви DocType: Authorization Rule,Applicable To (Role),Застосовується до (Роль) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Очікувані листи DocType: BOM Update Tool,Replace BOM,Замініть BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Код {0} вже існує +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Код {0} вже існує DocType: Patient Encounter,Procedures,Процедури apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Замовлення на продаж не доступні для виробництва DocType: Asset Movement,Purpose,Мета @@ -4265,6 +4268,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Ігнорувати п DocType: Warranty Claim,Service Address,Адреса послуги apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Імпорт основних даних DocType: Asset Maintenance Task,Calibration,Калібрування +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Тест лабораторної роботи {0} вже існує apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} - це свято компанії apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Години оплати apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Залишити сповіщення про статус @@ -4617,7 +4621,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,дохід Реєстрація DocType: Company,Default warehouse for Sales Return,Склад за замовчуванням для повернення продажів DocType: Pick List,Parent Warehouse,Батьківський елемент складу -DocType: Subscription,Net Total,Чистий підсумок +DocType: C-Form Invoice Detail,Net Total,Чистий підсумок apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Встановіть термін придатності товару в днях, щоб встановити термін придатності залежно від дати виготовлення плюс термін придатності." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Стандартна BOM не знайдена для елемента {0} та Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,"Рядок {0}: Будь ласка, встановіть Спосіб оплати у Платіжному графіку" @@ -4732,7 +4736,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Склад призначення є обов'язковим для рядку {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Роздрібні операції DocType: Cheque Print Template,Primary Settings,Основні налаштування -DocType: Attendance Request,Work From Home,Працювати вдома +DocType: Attendance,Work From Home,Працювати вдома DocType: Purchase Invoice,Select Supplier Address,Виберіть адресу постачальника apps/erpnext/erpnext/public/js/event.js,Add Employees,Додати співробітників DocType: Purchase Invoice Item,Quality Inspection,Сертифікат якості @@ -4976,8 +4980,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL-адреса авторизації apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Сума {0} {1} {2} {3} DocType: Account,Depreciation,Амортизація -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Видаліть працівника {0} \, щоб скасувати цей документ" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Кількість акцій та кількість акцій непослідовна apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Постачальник (и) DocType: Employee Attendance Tool,Employee Attendance Tool,Інструмент роботи з відвідуваннями @@ -5287,7 +5289,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Критерії ана DocType: Cheque Print Template,Cheque Height,Висота чеку DocType: Supplier,Supplier Details,Постачальник: Подробиці DocType: Setup Progress,Setup Progress,Налаштування прогресу -DocType: Expense Claim,Approval Status,Стан затвердження apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},"З значення має бути менше, ніж значення в рядку в {0}" DocType: Program,Intro Video,Вступне відео DocType: Manufacturing Settings,Default Warehouses for Production,Склади за замовчуванням для виробництва @@ -5631,7 +5632,6 @@ DocType: Purchase Invoice,Rounded Total,Заокруглений підсумо apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Слоти для {0} не додаються до розкладу DocType: Product Bundle,List items that form the package.,"Список предметів, які утворюють пакет." apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Цільове місце розташування потрібно при передачі активу {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Не дозволено. Вимкніть тестовий шаблон DocType: Sales Invoice,Distance (in km),Відстань (в км) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Розподіл відсотків має дорівнювати 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Будь ласка, виберіть дату запису, перш ніж вибрати контрагента" @@ -5763,7 +5763,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Обмінний курс прайс-листа apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Усі групи постачальників DocType: Employee Boarding Activity,Required for Employee Creation,Обов'язково для створення працівників -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Постачальник> Тип постачальника apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Номер рахунку {0} вже використовувався на рахунку {1} DocType: GoCardless Mandate,Mandate,Мандат DocType: Hotel Room Reservation,Booked,Заброньовано @@ -5829,7 +5828,6 @@ DocType: Production Plan Item,Product Bundle Item,Комплект DocType: Sales Partner,Sales Partner Name,Назва торгового партнеру apps/erpnext/erpnext/hooks.py,Request for Quotations,Запит на надання пропозицій DocType: Payment Reconciliation,Maximum Invoice Amount,Максимальна Сума рахунку -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,Помилка BankAccount.validate_iban () для порожнього IBAN DocType: Normal Test Items,Normal Test Items,Нормальні тестові елементи DocType: QuickBooks Migrator,Company Settings,Налаштування компанії DocType: Additional Salary,Overwrite Salary Structure Amount,Переписати суму структури заробітної плати @@ -5983,6 +5981,7 @@ DocType: Issue,Resolution By Variance,Дозвіл за варіацією DocType: Leave Allocation,Leave Period,Залишити період DocType: Item,Default Material Request Type,Тип Замовлення матеріалів за замовчуванням DocType: Supplier Scorecard,Evaluation Period,Період оцінки +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клієнт> Група клієнтів> Територія apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,невідомий apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Порядок роботи не створено apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6347,8 +6346,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Сері DocType: Material Request Plan Item,Required Quantity,Необхідна кількість DocType: Lab Test Template,Lab Test Template,Шаблон Lab Test apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Період обліку перекривається на {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Постачальник> Тип постачальника apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Рахунок продажів DocType: Purchase Invoice Item,Total Weight,Загальна вага +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Видаліть працівника {0} \, щоб скасувати цей документ" DocType: Pick List Item,Pick List Item,Вибір елемента списку apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Комісія з продажу DocType: Job Offer Term,Value / Description,Значення / Опис @@ -6463,6 +6465,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Підписано DocType: Bank Account,Party Type,Тип контрагента DocType: Discounted Invoice,Discounted Invoice,Фактура зі знижкою +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Позначити відвідуваність як DocType: Payment Schedule,Payment Schedule,Графік платежів apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},За вказане значення поля працівника не знайдено жодного працівника. '{}': {} DocType: Item Attribute Value,Abbreviation,Скорочення @@ -6565,7 +6568,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Причина утрима DocType: Employee,Personal Email,Особиста електронна пошта apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Всього розбіжність DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Якщо опція включена, то система буде автоматично створювати бухгалтерські проводки для номенклатури." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () визнано недійсним IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Брокерська діяльність apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Участь для працівника {0} вже позначено на цей день DocType: Work Order Operation,"in Minutes @@ -6836,6 +6838,7 @@ DocType: Appointment,Customer Details,Реквізити клієнта apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Друк форм IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Перевірте, чи потребує активи профілактичне обслуговування або калібрування" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Абревіатура компанії не може містити більше 5 символів +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Батьківська компанія повинна бути груповою компанією DocType: Employee,Reports to,Підпорядкований ,Unpaid Expense Claim,Неоплачені витрати претензії DocType: Payment Entry,Paid Amount,Виплачена сума @@ -6925,6 +6928,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp граф apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,"Потрібно встановити як початкову, так і кінцеву дату пробного періоду" apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Середня ставка +DocType: Appointment,Appointment With,Зустріч з apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Загальна сума платежу у графіку платежів повинна дорівнювати величині / округленому загальному apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",""Елемент, що надається клієнтом" не може мати показник оцінки" DocType: Subscription Plan Detail,Plan,Планувати @@ -7058,7 +7062,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,ОПП / Свинець% DocType: Bank Guarantee,Bank Account Info,Інформація про банківський рахунок DocType: Bank Guarantee,Bank Guarantee Type,Тип банківської гарантії -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () не вдався до дійсного IBAN {} DocType: Payment Schedule,Invoice Portion,Частка рахунків-фактур ,Asset Depreciations and Balances,Амортизація та баланси apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Сума {0} {1} переведений з {2} кілька разів {3} @@ -7727,7 +7730,6 @@ DocType: Dosage Form,Dosage Form,Форма дозування apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},"Будь ласка, налаштуйте розклад кампанії в кампанії {0}" apps/erpnext/erpnext/config/buying.py,Price List master.,Майстер Прайс-листа DocType: Task,Review Date,Огляд Дата -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Позначити відвідуваність як DocType: BOM,Allow Alternative Item,Дозволити альтернативний елемент apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"У квитанції про придбання немає жодного предмета, для якого увімкнено Затримати зразок." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Рахунок-фактура Велика сума @@ -7959,7 +7961,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Максимальна межа повторної спроби apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Прайс-лист не знайдений або відключений DocType: Content Activity,Last Activity ,Остання активність -DocType: Student Applicant,Approved,Затверджений DocType: Pricing Rule,Price,Ціна apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Співробітник звільняється від {0} повинен бути встановлений як "ліві" DocType: Guardian,Guardian,охоронець @@ -8131,6 +8132,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Вирахування відсо DocType: GL Entry,To Rename,Перейменувати DocType: Stock Entry,Repack,Перепакувати apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Виберіть, щоб додати серійний номер." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Будь ласка, налаштуйте систему іменування інструкторів у програмі Освіта> Налаштування освіти" apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Будь ласка, встановіть фіскальний код для клієнта "% s"" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,"Будь ласка, спочатку виберіть компанію" DocType: Item Attribute,Numeric Values,Числові значення @@ -8147,6 +8149,7 @@ DocType: Salary Detail,Additional Amount,Додаткова сума apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Кошик Пусто apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No","Пункт {0} не має серійного номера. Тільки serilialized елементи \ можуть мати доставку, засновану на серійний номер" +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Амортизована сума DocType: Vehicle,Model,модель DocType: Work Order,Actual Operating Cost,Фактична Операційна Вартість DocType: Payment Entry,Cheque/Reference No,Номер Чеку / Посилання diff --git a/erpnext/translations/ur.csv b/erpnext/translations/ur.csv index 0f085e04c7..61b9410d04 100644 --- a/erpnext/translations/ur.csv +++ b/erpnext/translations/ur.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,معیاری ٹیکس چھ DocType: Exchange Rate Revaluation Account,New Exchange Rate,نیو ایکسچینج کی شرح apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},کرنسی قیمت کی فہرست کے لئے ضروری ہے {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ٹرانزیکشن میں حساب کیا جائے گا. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,برائے کرم انسانی وسائل> HR کی ترتیبات میں ملازمین کے نام دینے کا نظام مرتب کریں DocType: Delivery Trip,MAT-DT-.YYYY.-,میٹ - ڈی ٹی - .YYYY- DocType: Purchase Order,Customer Contact,اپرنٹسشپس DocType: Shift Type,Enable Auto Attendance,آٹو اٹینڈینس کو قابل بنائیں۔ @@ -95,6 +94,7 @@ DocType: Item Price,Multiple Item prices.,ایک سے زیادہ اشیاء کی DocType: SMS Center,All Supplier Contact,تمام سپلائر سے رابطہ DocType: Support Settings,Support Settings,سپورٹ ترتیبات apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,جعلی اسناد +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,گھر سے کام کا نشان لگائیں apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),آئی ٹی سی دستیاب ہے (چاہے وہ پوری طرح سے ہو) DocType: Amazon MWS Settings,Amazon MWS Settings,ایمیزون MWS ترتیبات apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,پروسیسنگ واؤچرز @@ -401,7 +401,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,آئٹم ٹیک apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,رکنیت کی تفصیلات apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: پائیدار اکاؤنٹ {2} کے خلاف سپلائر کی ضرورت ہے apps/erpnext/erpnext/config/buying.py,Items and Pricing,اشیا اور قیمتوں کا تعین -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,کسٹمر> کسٹمر گروپ> علاقہ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},کل گھنٹے: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},تاریخ سے مالیاتی سال کے اندر اندر ہونا چاہئے. تاریخ سے سنبھالنے = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC- PMR-YYYY.- @@ -758,6 +757,7 @@ DocType: Request for Quotation,Request for Quotation,کوٹیشن کے لئے د DocType: Healthcare Settings,Require Lab Test Approval,لیب ٹیسٹ کی منظوری کی ضرورت ہے DocType: Attendance,Working Hours,کام کے اوقات apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,کل بقایا +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM کے تبادلوں کا عنصر ({0} -> {1}) آئٹم کے لئے نہیں ملا: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,ایک موجودہ سیریز کے شروع / موجودہ ترتیب تعداد کو تبدیل کریں. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,آرڈر کی گئی رقم کے مقابلہ میں آپ کو زیادہ بل ادا کرنے کی اجازت ہے۔ مثال کے طور پر: اگر کسی شے کے لئے آرڈر ویلیو $ 100 ہے اور رواداری 10 as مقرر کی گئی ہے تو آپ کو $ 110 کا بل ادا کرنے کی اجازت ہے۔ DocType: Dosage Strength,Strength,طاقت @@ -1241,7 +1241,6 @@ DocType: Timesheet,Total Billed Hours,کل بل گھنٹے DocType: Pricing Rule Item Group,Pricing Rule Item Group,قیمتوں کا تعین گروپ DocType: Travel Itinerary,Travel To,سفر کرنے کے لئے apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,تبادلہ کی شرح کی بحالی کا ماسٹر۔ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,براہ کرم حاضری کے لئے نمبر بندی سیریز سیٹ اپ> نمبرنگ سیریز کے ذریعے ترتیب دیں apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,رقم لکھیں DocType: Leave Block List Allow,Allow User,صارف کی اجازت DocType: Journal Entry,Bill No,بل نہیں @@ -1593,6 +1592,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,ترغیبات apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ہم آہنگی سے باہر کی اقدار apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,فرق کی قیمت +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,براہ کرم حاضری کے لئے نمبر بندی سیریز سیٹ اپ> نمبرنگ سیریز کے ذریعے ترتیب دیں DocType: SMS Log,Requested Numbers,درخواست نمبر DocType: Volunteer,Evening,شام DocType: Quiz,Quiz Configuration,کوئز کنفیگریشن۔ @@ -1759,6 +1759,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,جگہ س DocType: Student Admission,Publish on website,ویب سائٹ پر شائع کریں apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,سپلائر انوائس تاریخ پوسٹنگ کی تاریخ سے زیادہ نہیں ہو سکتا DocType: Installation Note,MAT-INS-.YYYY.-,میٹ - انس - .YYYY- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,آئٹم کوڈ> آئٹم گروپ> برانڈ DocType: Subscription,Cancelation Date,منسوخ تاریخ DocType: Purchase Invoice Item,Purchase Order Item,آرڈر شے کی خریداری DocType: Agriculture Task,Agriculture Task,زراعت کا کام @@ -2358,7 +2359,6 @@ DocType: Promotional Scheme,Product Discount Slabs,پروڈکٹ ڈسکاؤنٹ DocType: Target Detail,Target Distribution,ہدف تقسیم DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 - حتمی تجزیہ کی حتمی apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,پارٹیاں اور پتے درآمد کرنا۔ -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM کے تبادلوں کا عنصر ({0} -> {1}) آئٹم کے لئے نہیں ملا: {2} DocType: Salary Slip,Bank Account No.,بینک اکاؤنٹ نمبر DocType: Naming Series,This is the number of the last created transaction with this prefix,یہ اپسرگ کے ساتھ گزشتہ پیدا لین دین کی تعداد ہے DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2512,6 +2512,7 @@ DocType: Pricing Rule,Apply Multiple Pricing Rules,ایک سے زیادہ قیم DocType: HR Settings,Employee Settings,ملازم کی ترتیبات apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html,Loading Payment System,ادائیگی کے نظام کو لوڈ کر رہا ہے ,Batch-Wise Balance History,بیچ حکمت بیلنس تاریخ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,قطار # {0}: اگر آئٹم {1} کے لئے بل کی رقم سے زیادہ رقم ہو تو شرح مقرر نہیں کی جا سکتی۔ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Print settings updated in respective print format,پرنٹ ترتیبات متعلقہ پرنٹ کی شکل میں اپ ڈیٹ DocType: Package Code,Package Code,پیکیج کوڈ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Apprentice,شکشو @@ -3330,7 +3331,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),کل بلنگ کی رقم ( apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,فیس کا نظام الاوقات بنائیں۔ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,گاہک ریونیو DocType: Soil Texture,Silty Clay Loam,سلٹی مٹی لوام -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,براہ کرم تعلیم> تعلیم کی ترتیبات میں انسٹرکٹر نام دینے کا نظام مرتب کریں DocType: Quiz,Enter 0 to waive limit,حد چھوٹنے کے لئے 0 درج کریں۔ DocType: Bank Statement Settings,Mapped Items,نقشہ کردہ اشیاء DocType: Amazon MWS Settings,IT,یہ @@ -3390,6 +3390,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,خود ڈرائیونگ وہی DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,سپلائر اسکور کارڈ اسٹینڈنگ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},صف {0}: مواد کے بل آئٹم کے لئے نہیں پایا {1} DocType: Contract Fulfilment Checklist,Requirement,ضرورت +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,برائے کرم انسانی وسائل> HR کی ترتیبات میں ملازمین کے نام دینے کا نظام مرتب کریں DocType: Journal Entry,Accounts Receivable,وصولی اکاؤنٹس DocType: Quality Goal,Objectives,مقاصد۔ DocType: HR Settings,Role Allowed to Create Backdated Leave Application,بیکڈٹیڈ رخصت ایپلیکیشن بنانے کے لئے کردار کی اجازت ہے @@ -3526,6 +3527,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,اطلاقی apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,ریورس چارج کے لئے آؤٹ ڈور سپلائی اور اندرونی رسد کی تفصیلات۔ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,دوبارہ کھولنے +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,اجازت نہیں. براہ کرم لیب ٹیسٹ ٹیمپلیٹ کو غیر فعال کریں DocType: Sales Invoice Item,Qty as per Stock UOM,مقدار اسٹاک UOM کے مطابق apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 نام apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,روٹ کمپنی۔ @@ -3611,7 +3613,6 @@ DocType: Payment Request,Transaction Details,لین دین کی تفصیلات apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,شیڈول حاصل کرنے کے لئے پیدا شیڈول 'پر کلک کریں براہ مہربانی DocType: Item,"Purchase, Replenishment Details",خریداری ، دوبارہ ادائیگی کی تفصیلات۔ DocType: Products Settings,Enable Field Filters,فیلڈ فلٹرز کو فعال کریں۔ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,آئٹم کوڈ> آئٹم گروپ> برانڈ apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","گاہک فراہم کردہ آئٹم" خریداری کا آئٹم بھی نہیں ہوسکتا ہے۔ DocType: Blanket Order Item,Ordered Quantity,کا حکم دیا مقدار apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",مثلا "عمارت سازوں کے لئے، فورم کے اوزار کی تعمیر" @@ -4073,7 +4074,7 @@ DocType: BOM,Operating Cost (Company Currency),آپریٹنگ لاگت (کمپن DocType: Authorization Rule,Applicable To (Role),لاگو (کردار) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,پھنسے ہوئے پتیوں DocType: BOM Update Tool,Replace BOM,بوم تبدیل کریں -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,کوڈ {0} پہلے ہی موجود ہے +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,کوڈ {0} پہلے ہی موجود ہے DocType: Patient Encounter,Procedures,طریقہ کار apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,پیداوار کے لئے سیلز کے احکامات دستیاب نہیں ہیں DocType: Asset Movement,Purpose,مقصد @@ -4169,6 +4170,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,ملازمت کا وقت DocType: Warranty Claim,Service Address,سروس ایڈریس apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,ماسٹر ڈیٹا درآمد کریں۔ DocType: Asset Maintenance Task,Calibration,انشانکن +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,لیب ٹیسٹ آئٹم {0} پہلے سے موجود ہے apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ایک کمپنی کی چھٹی ہے apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,قابل قابل اوقات apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,حیثیت کی اطلاع چھوڑ دو @@ -4517,7 +4519,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,تنخواہ رجسٹر DocType: Company,Default warehouse for Sales Return,ڈیفالٹ گودام برائے سیلز ریٹرن۔ DocType: Pick List,Parent Warehouse,والدین گودام -DocType: Subscription,Net Total,نیٹ کل +DocType: C-Form Invoice Detail,Net Total,نیٹ کل apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",مینوفیکچرنگ ڈیٹ پلس شیلف لائف پر مبنی میعاد ختم ہونے کے لئے ، آئٹم کی شیلف زندگی دن میں مقرر کریں۔ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},پہلے سے طے شدہ BOM آئٹم کے لئے نہیں پایا {0} اور پروجیکٹ {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,قطار {0}: براہ کرم ادائیگی کے نظام الاوقات میں ادائیگی کا انداز وضع کریں۔ @@ -4629,7 +4631,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},ہدف گودام صف کے لئے لازمی ہے {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,ریٹیل آپریشنز DocType: Cheque Print Template,Primary Settings,بنیادی ترتیبات -DocType: Attendance Request,Work From Home,گھر سے کام +DocType: Attendance,Work From Home,گھر سے کام DocType: Purchase Invoice,Select Supplier Address,منتخب سپلائر ایڈریس apps/erpnext/erpnext/public/js/event.js,Add Employees,ملازمین شامل کریں DocType: Purchase Invoice Item,Quality Inspection,معیار معائنہ @@ -4867,8 +4869,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,اجازت URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},رقم {0} {1} {2} {3} DocType: Account,Depreciation,فرسودگی -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","براہ کرم اس دستاویز کو منسوخ کرنے کے لئے ملازم {0} delete کو حذف کریں" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,حصص کی تعداد اور حصص کی تعداد متضاد ہیں apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),پردایک (ے) DocType: Employee Attendance Tool,Employee Attendance Tool,ملازم حاضری کا آلہ @@ -5170,7 +5170,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,پلانٹ تجزیہ DocType: Cheque Print Template,Cheque Height,چیک اونچائی DocType: Supplier,Supplier Details,پردایک تفصیلات DocType: Setup Progress,Setup Progress,سیٹ اپ پیش رفت -DocType: Expense Claim,Approval Status,منظوری کی حیثیت apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},قیمت صف میں قدر سے کم ہونا ضروری ہے سے {0} DocType: Program,Intro Video,انٹرو ویڈیو DocType: Manufacturing Settings,Default Warehouses for Production,پیداوار کے لئے پہلے سے طے شدہ گوداموں @@ -5503,7 +5502,6 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,فروخت DocType: Purchase Invoice,Rounded Total,مدور کل apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,شیڈول {0} شیڈول میں شامل نہیں ہیں DocType: Product Bundle,List items that form the package.,پیکیج کی تشکیل کہ فہرست اشیاء. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,اجازت نہیں. برائے مہربانی ٹیسٹ سانچہ کو غیر فعال کریں DocType: Sales Invoice,Distance (in km),فاصلے (کلومیٹر میں) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,فیصدی ایلوکیشن 100٪ کے برابر ہونا چاہئے apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,پارٹی منتخب کرنے سے پہلے پوسٹنگ کی تاریخ براہ مہربانی منتخب کریں @@ -5634,7 +5632,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,قیمت کی فہرست زر مبادلہ کی شرح apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,تمام سپلائر گروپ DocType: Employee Boarding Activity,Required for Employee Creation,ملازم تخلیق کے لئے ضروری ہے -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,سپلائر> سپلائر کی قسم apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},اکاؤنٹ نمبر {0} پہلے ہی اکاؤنٹ میں استعمال کیا جاتا ہے {1} DocType: GoCardless Mandate,Mandate,مینڈیٹ DocType: Hotel Room Reservation,Booked,بکری @@ -5699,7 +5696,6 @@ DocType: Production Plan Item,Product Bundle Item,پروڈکٹ بنڈل آئٹم DocType: Sales Partner,Sales Partner Name,سیلز پارٹنر نام apps/erpnext/erpnext/hooks.py,Request for Quotations,کوٹیشن کے لئے درخواست DocType: Payment Reconciliation,Maximum Invoice Amount,زیادہ سے زیادہ انوائس کی رقم -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,بینک اکاونٹ.قانونی_بن () خالی آئی بی این کے لئے ناکام ہوگیا۔ DocType: Normal Test Items,Normal Test Items,عام ٹیسٹ اشیا DocType: QuickBooks Migrator,Company Settings,کمپنی کی ترتیبات DocType: Additional Salary,Overwrite Salary Structure Amount,تنخواہ کی ساخت کی رقم کو خارج کر دیں @@ -5850,6 +5846,7 @@ DocType: Issue,Resolution By Variance,متنازعہ حل DocType: Leave Allocation,Leave Period,مدت چھوڑ دو DocType: Item,Default Material Request Type,پہلے سے طے شدہ مواد کی گذارش پروپوزل کی گذارش DocType: Supplier Scorecard,Evaluation Period,تشخیص کا دورہ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,کسٹمر> کسٹمر گروپ> علاقہ apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,نامعلوم apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,کام آرڈر نہیں بنایا گیا apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6205,8 +6202,11 @@ DocType: Salary Component,Formula,فارمولہ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,سیریل نمبر DocType: Material Request Plan Item,Required Quantity,مطلوبہ مقدار DocType: Lab Test Template,Lab Test Template,لیب ٹیسٹنگ سانچہ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,سپلائر> سپلائر کی قسم apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,سیلز اکاؤنٹ DocType: Purchase Invoice Item,Total Weight,کل وزن +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","براہ کرم اس دستاویز کو منسوخ کرنے کے لئے ملازم {0} delete کو حذف کریں" DocType: Pick List Item,Pick List Item,فہرست آئٹم منتخب کریں۔ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,فروخت پر کمیشن DocType: Job Offer Term,Value / Description,ویلیو / تفصیل @@ -6320,6 +6320,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,سائن ان DocType: Bank Account,Party Type,پارٹی قسم DocType: Discounted Invoice,Discounted Invoice,رعایتی انوائس +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,بطور حاضری نشان زد کریں DocType: Payment Schedule,Payment Schedule,ادائیگی کے شیڈول apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},دیئے گئے ملازمین کے فیلڈ ویلیو کے لئے کوئی ملازم نہیں ملا۔ '{}': { DocType: Item Attribute Value,Abbreviation,مخفف @@ -6420,7 +6421,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,ہولڈنگ پر ڈالن DocType: Employee,Personal Email,ذاتی ای میل apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,کل تغیر DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",فعال ہے تو، نظام خود کار طریقے کی انوینٹری کے لئے اکاؤنٹنگ اندراجات پوسٹ کریں گے. -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.uthorate_iban () ناقابل قبول IBAN قبول کیا { apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,بروکریج apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,ملازم {0} کے لئے حاضری پہلے ہی اس دن کے لئے نشان لگا دیا گیا DocType: Work Order Operation,"in Minutes @@ -6685,6 +6685,7 @@ DocType: Appointment,Customer Details,گاہک کی تفصیلات apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS 1099 فارم پرنٹ کریں۔ DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,چیک کریں اگر اثاثہ کی روک تھام کی ضرورت ہے یا انشانکن کی ضرورت ہے apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,کمپنی کا مختصر نام 5 سے زائد حروف نہیں ہوسکتا ہے +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,پیرنٹ کمپنی ایک گروپ کمپنی ہونی چاہئے DocType: Employee,Reports to,رپورٹیں ,Unpaid Expense Claim,بلا معاوضہ اخراجات دعوی DocType: Payment Entry,Paid Amount,ادائیگی کی رقم @@ -6772,6 +6773,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,بالمقابل شمار apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,آزمائشی مدت کے دوران شروع کی تاریخ اور آزمائشی مدت کے اختتام کی تاریخ کو مقرر کیا جانا چاہئے apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,اوسط قیمت +DocType: Appointment,Appointment With,کے ساتھ تقرری apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ادائیگی شیڈول میں کل ادائیگی کی رقم گرینڈ / گولڈ کل کے برابر ہونا ضروری ہے apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","گراہک فراہم کردہ آئٹم" میں ویلیو ریٹ نہیں ہوسکتا DocType: Subscription Plan Detail,Plan,منصوبہ @@ -6902,7 +6904,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,بالمقابل / لیڈ٪ DocType: Bank Guarantee,Bank Account Info,بینک اکاؤنٹ کی معلومات DocType: Bank Guarantee,Bank Guarantee Type,بینک گارنٹی کی قسم -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},بینک اکاونٹ.قانونی_بن () درست IBAN کے لئے ناکام failed DocType: Payment Schedule,Invoice Portion,انوائس پرکرن ,Asset Depreciations and Balances,ایسیٹ Depreciations اور توازن apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},رقم {0} {1} سے منتقل کرنے {2} {3} @@ -7554,7 +7555,6 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The share DocType: Dosage Form,Dosage Form,خوراک کی شکل apps/erpnext/erpnext/config/buying.py,Price List master.,قیمت کی فہرست ماسٹر. DocType: Task,Review Date,جائزہ تاریخ -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,بطور حاضری نشان زد کریں DocType: BOM,Allow Alternative Item,متبادل آئٹم کی اجازت دیں apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,خریداری کی رسید میں ایسا کوئی آئٹم نہیں ہے جس کے لئے دوبارہ برقرار رکھنے والا نمونہ فعال ہو۔ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,انوائس گرینڈ ٹوٹل @@ -7780,7 +7780,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,زیادہ سے زیادہ دوبارہ کوشش کریں apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,قیمت کی فہرست پایا یا معذور نہیں DocType: Content Activity,Last Activity ,آخری سرگرمی -DocType: Student Applicant,Approved,منظور DocType: Pricing Rule,Price,قیمت apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} مقرر کیا جانا چاہئے پر فارغ ملازم 'بائیں' کے طور پر DocType: Guardian,Guardian,گارڈین @@ -7950,6 +7949,7 @@ DocType: Taxable Salary Slab,Percent Deduction,فی صد کٹوتی DocType: GL Entry,To Rename,نام بدلنا۔ DocType: Stock Entry,Repack,repack کریں apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,سیریل نمبر شامل کرنے کے لئے منتخب کریں۔ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,براہ کرم تعلیم> تعلیم کی ترتیبات میں انسٹرکٹر نام دینے کا نظام مرتب کریں apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',براہ کرم گاہک '٪ s' کے لئے مالیاتی کوڈ مرتب کریں apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,براہ مہربانی سب سے پہلے کمپنی کا انتخاب کریں DocType: Item Attribute,Numeric Values,عددی اقدار @@ -7966,6 +7966,7 @@ DocType: Salary Detail,Additional Amount,اضافی رقم۔ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,ٹوکری خالی ہے apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",آئٹم {0} میں کوئی سیریل نمبر نہیں ہے صرف سیریلیلائزڈ اشیاء \ Serial No کی بنیاد پر ترسیل ہوسکتی ہے +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,فرسودہ رقم DocType: Vehicle,Model,ماڈل DocType: Work Order,Actual Operating Cost,اصل آپریٹنگ لاگت DocType: Payment Entry,Cheque/Reference No,چیک / حوالہ نمبر diff --git a/erpnext/translations/uz.csv b/erpnext/translations/uz.csv index a89e2c7841..2e0bef6b19 100644 --- a/erpnext/translations/uz.csv +++ b/erpnext/translations/uz.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Soliqdan ozod qilishning s DocType: Exchange Rate Revaluation Account,New Exchange Rate,Yangi almashinuv kursi apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Narxlar ro'yxati uchun valyuta talab qilinadi {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Jurnalda hisoblab chiqiladi. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Iltimos, xodimlarni nomlash tizimini inson resurslari> Kadrlar sozlamalarida o'rnating" DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Mijozlar bilan aloqa DocType: Shift Type,Enable Auto Attendance,Avtomatik qatnashishni yoqish @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Barcha yetkazib beruvchi bilan aloqa DocType: Support Settings,Support Settings,Yordam sozlamalari apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},{1} bolalar kompaniyasiga {0} hisobi qo'shildi apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Noto‘g‘ri hisob ma’lumotlari +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Uydan ishlarni belgilash apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC mavjud (to'liq holatda bo'lsin) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS sozlamalari apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Voucherlarni qayta ishlash @@ -408,7 +408,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Qiymatga kiriti apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Registratsiya tafsilotlari apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Yetkazib beruvchi to'lash kerak hisobiga {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Mahsulotlar va narxlanish -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Xaridor> Mijozlar guruhi> Hudud apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Umumiy soatlar: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Sana boshlab Moliya yilida bo'lishi kerak. Sana = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-YYYYY.- @@ -455,7 +454,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Tanlangan variant DocType: SG Creation Tool Course,SG Creation Tool Course,SG yaratish vositasi kursi DocType: Bank Statement Transaction Invoice Item,Payment Description,To'lov ta'rifi -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Iltimos, sozlash> Sozlamalar> Nomlash seriyalari orqali {0} uchun nomlash seriyasini o'rnating" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Qimmatli qog'ozlar yetarli emas DocType: Email Digest,New Sales Orders,Yangi Sotuvdagi Buyurtma DocType: Bank Account,Bank Account,Bank hisob raqami @@ -773,6 +771,7 @@ DocType: Request for Quotation,Request for Quotation,Buyurtma uchun so'rov DocType: Healthcare Settings,Require Lab Test Approval,Laboratoriya tekshiruvini tasdiqlashni talab qiling DocType: Attendance,Working Hours,Ish vaqti apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Umumiy natija +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konversiya koeffitsienti ({0} -> {1}) quyidagi element uchun topilmadi: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Mavjud ketma-ketlikning boshlang'ich / to`g`ri qatorini o`zgartirish. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Siz buyurtma qilingan miqdordan ko'proq hisob-kitob qilishingiz mumkin bo'lgan foiz. Masalan: Agar buyurtma qiymati bir mahsulot uchun 100 dollarni tashkil etsa va sabr-toqat 10% bo'lsa, sizga 110 dollarga to'lashingiz mumkin." DocType: Dosage Strength,Strength,Kuch-quvvat @@ -1259,7 +1258,6 @@ DocType: Timesheet,Total Billed Hours,Jami hisoblangan soat DocType: Pricing Rule Item Group,Pricing Rule Item Group,Narxlarni boshqarish qoidalari guruhi DocType: Travel Itinerary,Travel To,Sayohat qilish apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Valyuta kursini qayta baholash ustasi. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Iltimos Setup> Raqamlash seriyalari orqali qatnashish uchun raqamlash seriyasini sozlang apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Miqdorni yozing DocType: Leave Block List Allow,Allow User,Foydalanuvchiga ruxsat berish DocType: Journal Entry,Bill No,Bill № @@ -1612,6 +1610,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Rag'batlantirish apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Sinxron bo'lmagan qiymatlar apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Farq qiymati +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Iltimos Setup> Raqamlash seriyalari orqali qatnashish uchun raqamlash seriyasini sozlang DocType: SMS Log,Requested Numbers,Talab qilingan raqamlar DocType: Volunteer,Evening,Oqshom DocType: Quiz,Quiz Configuration,Viktorina sozlamalari @@ -1779,6 +1778,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Joydan DocType: Student Admission,Publish on website,Saytda e'lon qiling apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Yetkazib beruvchi hisob-fakturasi sanasi yuborish kunidan kattaroq bo'lishi mumkin emas DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-YYYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Element kodi> Tovar guruhi> Tovar DocType: Subscription,Cancelation Date,Bekor qilish sanasi DocType: Purchase Invoice Item,Purchase Order Item,Buyurtma Buyurtma Buyurtma DocType: Agriculture Task,Agriculture Task,Qishloq xo'jaligi masalalari @@ -2379,7 +2379,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Mahsulot chegirma plitalari DocType: Target Detail,Target Distribution,Nishon tarqatish DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 - Vaqtinchalik baholashni yakunlash apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Tomonlar va manzillarni import qilish -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konversiyalash koeffitsienti ({0} -> {1}) quyidagi element uchun topilmadi: {2} DocType: Salary Slip,Bank Account No.,Bank hisob raqami DocType: Naming Series,This is the number of the last created transaction with this prefix,"Bu, bu old qo'shimchadagi oxirgi yaratilgan bitimning sonidir" DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2769,6 +2768,9 @@ DocType: Company,Default Holiday List,Standart dam olish ro'yxati DocType: Pricing Rule,Supplier Group,Yetkazib beruvchilar guruhi apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: {1} dan vaqt va vaqtdan {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",{1} element uchun {0} nomli BOM allaqachon mavjud.
Siz mahsulot nomini o'zgartirdingizmi? Iltimos Administrator / Tech qo'llab-quvvatlash xizmatiga murojaat qiling apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Qarz majburiyatlari DocType: Purchase Invoice,Supplier Warehouse,Yetkazib beruvchi ombori DocType: Opportunity,Contact Mobile No,Mobil raqami bilan bog'laning @@ -3209,6 +3211,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Sifatli uchrashuv jadvali apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Forumlarga tashrif buyuring +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"{0} vazifasini bajarib bo'lmadi, chunki unga bog'liq bo'lgan {1} vazifasi tugallanmagan / bekor qilinmagan." DocType: Student,Student Mobile Number,Isoning shogirdi mobil raqami DocType: Item,Has Variants,Varyantlar mavjud DocType: Employee Benefit Claim,Claim Benefit For,Shikoyat uchun manfaat @@ -3367,7 +3370,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Jami to'lov miqdori (vaq apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Ish haqi jadvalini yarating apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Xaridor daromadini takrorlang DocType: Soil Texture,Silty Clay Loam,Silty Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Iltimos, Ta'lim beruvchiga nom berish tizimini Ta'lim sozlamalarida o'rnating" DocType: Quiz,Enter 0 to waive limit,Cheklovni rad etish uchun 0 raqamini kiriting DocType: Bank Statement Settings,Mapped Items,Eşlenmiş ma'lumotlar DocType: Amazon MWS Settings,IT,IT @@ -3401,7 +3403,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.","Yaratilgan yoki {0} ga bog‘langan obyekt yetarli emas. \ Iltimos, {1} obyektlarni tegishli hujjat bilan yarating yoki bog'lang." DocType: Pricing Rule,Apply Rule On Brand,Qoidalarni brendga qo'llang DocType: Task,Actual End Date (via Time Sheet),Haqiqiy tugash sanasi (vaqt jadvalidan orqali) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"{0} vazifasini yopib bo'lmaydi, chunki unga bog'liq bo'lgan vazifa {1} yopilmagan." DocType: Soil Texture,Soil Type,Tuproq turi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},{0} {1} miqdori {2} {3} ga qarshi ,Quotation Trends,Iqtiboslar tendentsiyalari @@ -3431,6 +3432,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,O'z-o'zidan avtomashina DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Yetkazib beruvchi Koreya kartasi apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Mahsulot {1} uchun topilmadi. DocType: Contract Fulfilment Checklist,Requirement,Talab +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Iltimos, xodimlarni nomlash tizimini inson resurslari> Kadrlar sozlamalarida o'rnating" DocType: Journal Entry,Accounts Receivable,Kutilgan tushim DocType: Quality Goal,Objectives,Maqsadlar DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Kechiktirilgan ta'til arizasini yaratishga ruxsat berilgan rol @@ -3572,6 +3574,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Amalga oshirildi apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Orqaga zaryadlanishi kerak bo'lgan tashqi ta'minot va ichki ta'minot tafsilotlari apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Qayta oching +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,"Ruxsat berilmagan Iltimos, laboratoriya shablonini o'chirib qo'ying" DocType: Sales Invoice Item,Qty as per Stock UOM,Qimmatli qog'ozlar aktsiyadorlik jamiyati bo'yicha apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Ismi apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Ildiz kompaniyasi @@ -3630,6 +3633,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Biznes turi DocType: Sales Invoice,Consumer,Iste'molchi apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Iltimos, atigi bir qatorda ajratilgan miqdori, hisob-faktura turi va hisob-faktura raqami-ni tanlang" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Iltimos, sozlash> Sozlamalar> Nomlash seriyalari orqali {0} uchun nomlash seriyasini o'rnating" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Yangi xarid qiymati apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},{0} band uchun zarur Sotuvdagi Buyurtma DocType: Grant Application,Grant Description,Grantlar tavsifi @@ -3655,7 +3659,6 @@ DocType: Payment Request,Transaction Details,Jurnal haqida ma'lumot apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,Jadvalni olish uchun "Jadvalni yarat" tugmasini bosing DocType: Item,"Purchase, Replenishment Details","Sotib olish, to'ldirish tafsilotlari" DocType: Products Settings,Enable Field Filters,Maydon filtrlarini yoqish -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Element kodi> Mahsulotlar guruhi> Tovar apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also",""Xaridor tomonidan taqdim etilgan narsa" shuningdek, xarid qilish obyekti bo'lolmaydi" DocType: Blanket Order Item,Ordered Quantity,Buyurtma miqdori apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","Masalan, "Quruvchilar uchun asboblarni yaratish"" @@ -4125,7 +4128,7 @@ DocType: BOM,Operating Cost (Company Currency),Faoliyat xarajati (Kompaniya valy DocType: Authorization Rule,Applicable To (Role),Qo'llanishi mumkin (rol) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Kutilayotgan barglar DocType: BOM Update Tool,Replace BOM,BOMni almashtiring -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,{0} kodi allaqachon mavjud +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,{0} kodi allaqachon mavjud DocType: Patient Encounter,Procedures,Jarayonlar apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Savdo buyurtmalari ishlab chiqarish uchun mavjud emas DocType: Asset Movement,Purpose,Maqsad @@ -4221,6 +4224,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Xodimlarning ishdan chiq DocType: Warranty Claim,Service Address,Xizmat manzili apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Magistr ma'lumotlarini import qilish DocType: Asset Maintenance Task,Calibration,Kalibrlash +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,{0} laboratoriya sinov elementi allaqachon mavjud apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} kompaniya bayramidir apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,To‘lov vaqti apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Vaziyat bayonnomasini qoldiring @@ -4569,7 +4573,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,Ish haqi registrati DocType: Company,Default warehouse for Sales Return,Sotishni qaytarish uchun odatiy ombor DocType: Pick List,Parent Warehouse,Ota-onalar -DocType: Subscription,Net Total,Net Jami +DocType: C-Form Invoice Detail,Net Total,Net Jami apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Mahsulotning yaroqlilik muddatini kunlar bilan belgilang. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},{0} va Project {1} uchun standart BOM topilmadi apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,"{0} qatori: Iltimos, to'lov jadvalida to'lov usulini o'rnating" @@ -4684,7 +4688,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Nishon ombor {0} satr uchun majburiydir. apps/erpnext/erpnext/config/retail.py,Retail Operations,Chakana operatsiyalar DocType: Cheque Print Template,Primary Settings,Asosiy sozlamalar -DocType: Attendance Request,Work From Home,Uydan ish +DocType: Attendance,Work From Home,Uydan ish DocType: Purchase Invoice,Select Supplier Address,Ta'minlovchining manzilini tanlang apps/erpnext/erpnext/public/js/event.js,Add Employees,Ishchilarni qo'shish DocType: Purchase Invoice Item,Quality Inspection,Sifatni tekshirish @@ -4926,8 +4930,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,Avtorizatsiya URL manzili apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Miqdor {0} {1} {2} {3} DocType: Account,Depreciation,Amortizatsiya -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Ushbu hujjatni bekor qilish uchun {0} \ xodimini o'chiring" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,Aktsiyalar soni va aktsiyalarning soni nomuvofiqdir apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Yetkazib beruvchilar (lar) DocType: Employee Attendance Tool,Employee Attendance Tool,Xodimlarga qatnashish vositasi @@ -5232,7 +5234,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,O'simliklarni tahli DocType: Cheque Print Template,Cheque Height,Balandligini tekshiring DocType: Supplier,Supplier Details,Yetkazib beruvchi ma'lumotlari DocType: Setup Progress,Setup Progress,O'rnatish jarayoni -DocType: Expense Claim,Approval Status,Tasdiqlash maqomi apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Qiymatdan {0} qatorda qiymatdan kam bo'lishi kerak DocType: Program,Intro Video,Kirish video DocType: Manufacturing Settings,Default Warehouses for Production,Ishlab chiqarish uchun odatiy omborlar @@ -5573,7 +5574,6 @@ DocType: Purchase Invoice,Rounded Total,Rounded Total apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} uchun joylar jadvalga qo'shilmaydi DocType: Product Bundle,List items that form the package.,Paketni tashkil etadigan elementlarni ro'yxatlang. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Obyektni topshirishda mo'ljal manzili talab qilinadi {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Ruxsat berilmaydi. Viktorina jadvalini o'chirib qo'ying DocType: Sales Invoice,Distance (in km),Masofa (km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Foizlarni taqsimlash 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Tomonni tanlashdan oldin sanasi sanasini tanlang @@ -5703,7 +5703,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Narxlar ro'yxati almashuv kursi apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Barcha yetkazib beruvchi guruhlari DocType: Employee Boarding Activity,Required for Employee Creation,Xodimlarni yaratish uchun talab qilinadi -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Ta'minotchi> Ta'minotchi turi apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Hisob raqami {0} allaqachon {1} hisobida ishlatilgan DocType: GoCardless Mandate,Mandate,Majburiyat DocType: Hotel Room Reservation,Booked,Qayd qilingan @@ -5769,7 +5768,6 @@ DocType: Production Plan Item,Product Bundle Item,Mahsulot paketi elementi DocType: Sales Partner,Sales Partner Name,Savdo hamkorining nomi apps/erpnext/erpnext/hooks.py,Request for Quotations,Takliflar uchun so'rov DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimal Billing miqdori -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,Bo'sh IBAN uchun BankAccount.validate_iban () muvaffaqiyatsiz tugadi DocType: Normal Test Items,Normal Test Items,Oddiy test buyumlari DocType: QuickBooks Migrator,Company Settings,Kompaniya sozlamalari DocType: Additional Salary,Overwrite Salary Structure Amount,Ish haqi tuzilishi miqdori haqida yozing @@ -5920,6 +5918,7 @@ DocType: Issue,Resolution By Variance,O'zgarish darajasi DocType: Leave Allocation,Leave Period,Davrni qoldiring DocType: Item,Default Material Request Type,Standart material talabi turi DocType: Supplier Scorecard,Evaluation Period,Baholash davri +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Xaridor> Mijozlar guruhi> Hudud apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Noma'lum apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Ish tartibi yaratilmadi apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6277,8 +6276,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Seriya # DocType: Material Request Plan Item,Required Quantity,Kerakli miqdori DocType: Lab Test Template,Lab Test Template,Laboratoriya viktorina namunasi apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Hisob-kitob davri {0} bilan mos keladi +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Ta'minotchi> Ta'minotchi turi apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Savdo hisobi DocType: Purchase Invoice Item,Total Weight,Jami Og'irligi +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ushbu hujjatni bekor qilish uchun {0} \ xodimini o'chiring" DocType: Pick List Item,Pick List Item,Ro‘yxat bandini tanlang apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Savdo bo'yicha komissiya DocType: Job Offer Term,Value / Description,Qiymati / ta'rifi @@ -6393,6 +6395,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Imzolangan DocType: Bank Account,Party Type,Partiya turi DocType: Discounted Invoice,Discounted Invoice,Chegirilgan hisob-faktura +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Davomi sifatida belgilang DocType: Payment Schedule,Payment Schedule,To'lov jadvali apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Berilgan xodimning maydon qiymati uchun xodim topilmadi. '{}': {} DocType: Item Attribute Value,Abbreviation,Qisqartirish @@ -6494,7 +6497,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Tutish uchun sabab DocType: Employee,Personal Email,Shaxsiy Email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Jami o'zgarish DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Agar yoqilgan bo'lsa, tizim avtomatik ravishda inventarizatsiyadan o'tkazish uchun buxgalteriya yozuvlarini yuboradi." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () noto'g'ri IBAN qabul qildi {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerlik apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Xodimga {0} davomi bu kun uchun belgilandi DocType: Work Order Operation,"in Minutes @@ -6764,6 +6766,7 @@ DocType: Appointment,Customer Details,Xaridorlar uchun ma'lumot apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS 1099 shakllarini chop eting DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Assotsiatsiya profilaktik xizmat yoki kalibrlashni talab qiladimi-yo'qligini tekshiring apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Kompaniya qisqartmasi 5 belgidan oshmasligi kerak +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Asosiy kompaniya guruh kompaniyasi bo'lishi kerak DocType: Employee,Reports to,Hisobotlar ,Unpaid Expense Claim,To'lanmagan to'lov xarajatlari DocType: Payment Entry,Paid Amount,To'langan pul miqdori @@ -6851,6 +6854,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Sinov muddati boshlanish sanasi va Sinov muddati tugashi kerak apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,O'rtacha narx +DocType: Appointment,Appointment With,Uchrashuv bilan apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,To'lov tarifidagi umumiy to'lov miqdori Grand / Rounded Totalga teng bo'lishi kerak apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Buyurtmachiga taqdim etilgan mahsulot" baho qiymatiga ega bo'lolmaydi DocType: Subscription Plan Detail,Plan,Reja @@ -6983,7 +6987,6 @@ DocType: Customer,Customer Primary Contact,Birlamchi mijoz bilan aloqa apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Bank hisobi ma'lumotlari DocType: Bank Guarantee,Bank Guarantee Type,Bank kafolati turi -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () IBAN uchun {} muvaffaqiyatsiz DocType: Payment Schedule,Invoice Portion,Billing qismi ,Asset Depreciations and Balances,Assotsiatsiyalangan amortizatsiya va balans apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},{0} {1} miqdori {2} dan {3} @@ -7647,7 +7650,6 @@ DocType: Dosage Form,Dosage Form,Dozalash shakli apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},"Iltimos, {0} Kampaniyada Kampaniya jadvalini o'rnating." apps/erpnext/erpnext/config/buying.py,Price List master.,Narxlar ro'yxati ustasi. DocType: Task,Review Date,Ko'rib chiqish sanasi -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Davomi sifatida belgilang DocType: BOM,Allow Alternative Item,Shu bilan bir qatorda narsalarga ruxsat berish apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Xarid kvitansiyasida "Qidiruv namunasini yoqish" bandi mavjud emas. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Hisob-fakturaning umumiy summasi @@ -7875,7 +7877,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Maks. Qayta harakatlanish limiti apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Narxlar ro'yxati topilmadi yoki o'chirib qo'yilgan DocType: Content Activity,Last Activity ,So'nggi faoliyat -DocType: Student Applicant,Approved,Tasdiqlandi DocType: Pricing Rule,Price,Narxlari apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} da bo'shagan xodim "chapga" DocType: Guardian,Guardian,Guardian @@ -8046,6 +8047,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Foizni kamaytirish DocType: GL Entry,To Rename,Nomini o'zgartirish uchun DocType: Stock Entry,Repack,Qaytarib oling apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Seriya raqamini qo'shish uchun tanlang. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Iltimos, Ta'lim beruvchiga nom berish tizimini Ta'lim sozlamalarida o'rnating" apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Iltimos, '% s' mijozi uchun soliq kodini o'rnating." apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Avval Kompaniya-ni tanlang DocType: Item Attribute,Numeric Values,Raqamli qiymatlar @@ -8062,6 +8064,7 @@ DocType: Salary Detail,Additional Amount,Qo'shimcha miqdor apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Savat bo'sh apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",{0} mahsulotida Seriya raqami yo'q. Faqat serilallangan elementlar \ seriya raqami asosida etkazib berishi mumkin +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Eskirgan summa DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Haqiqiy Operatsion Narx DocType: Payment Entry,Cheque/Reference No,Tekshirish / Yo'naltiruvchi No diff --git a/erpnext/translations/vi.csv b/erpnext/translations/vi.csv index a4487b9c2c..dbfcc91f93 100644 --- a/erpnext/translations/vi.csv +++ b/erpnext/translations/vi.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,Số tiền miễn thuế DocType: Exchange Rate Revaluation Account,New Exchange Rate,Tỷ giá hối đoái mới apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},Tiền tệ là cần thiết cho Danh sách Price {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Sẽ được tính toán trong giao dịch. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vui lòng thiết lập Hệ thống đặt tên nhân viên trong Nhân sự> Cài đặt nhân sự DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,Liên hệ Khách hàng DocType: Shift Type,Enable Auto Attendance,Kích hoạt tự động tham dự @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,Tất cả Liên hệ Nhà cung cấp DocType: Support Settings,Support Settings,Cài đặt hỗ trợ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Tài khoản {0} được thêm vào công ty con {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Thông tin không hợp lệ +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Đánh dấu làm việc tại nhà apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC Có sẵn (cho dù trong phần op đầy đủ) DocType: Amazon MWS Settings,Amazon MWS Settings,Cài đặt MWS của Amazon apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Phiếu chế biến @@ -409,7 +409,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Mục thuế S apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Chi tiết thành viên apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Nhà cung cấp được yêu cầu đối với Khoản phải trả {2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,Hàng hóa và giá cả -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Khách hàng> Nhóm khách hàng> Lãnh thổ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Tổng số giờ: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Từ ngày phải được trong năm tài chính. Giả sử Từ ngày = {0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -456,7 +455,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,Tùy chọn đã chọn DocType: SG Creation Tool Course,SG Creation Tool Course,SG học Công cụ tạo DocType: Bank Statement Transaction Invoice Item,Payment Description,Mô tả thanh toán -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vui lòng đặt Sê-ri đặt tên cho {0} qua Cài đặt> Cài đặt> Sê-ri đặt tên apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Thiếu cổ Phiếu DocType: Email Digest,New Sales Orders,Hàng đơn đặt hàng mới DocType: Bank Account,Bank Account,Tài khoản ngân hàng @@ -777,6 +775,7 @@ DocType: Request for Quotation,Request for Quotation,Yêu cầu báo giá DocType: Healthcare Settings,Require Lab Test Approval,Yêu cầu phê duyệt thử nghiệm Lab DocType: Attendance,Working Hours,Giờ làm việc apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Tổng số +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Không tìm thấy yếu tố chuyển đổi UOM ({0} -> {1}) cho mục: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Thay đổi bắt đầu / hiện số thứ tự của một loạt hiện có. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,Tỷ lệ phần trăm bạn được phép lập hóa đơn nhiều hơn số tiền đặt hàng. Ví dụ: Nếu giá trị đơn hàng là 100 đô la cho một mặt hàng và dung sai được đặt là 10% thì bạn được phép lập hóa đơn cho 110 đô la. DocType: Dosage Strength,Strength,Sức mạnh @@ -1271,7 +1270,6 @@ DocType: Timesheet,Total Billed Hours,Tổng số giờ DocType: Pricing Rule Item Group,Pricing Rule Item Group,Nhóm quy tắc định giá DocType: Travel Itinerary,Travel To,Đi du lịch tới apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Đánh giá tỷ giá hối đoái tổng thể. -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vui lòng thiết lập chuỗi đánh số cho Tham dự thông qua Cài đặt> Sê-ri đánh số apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Viết Tắt Số tiền DocType: Leave Block List Allow,Allow User,Cho phép tài DocType: Journal Entry,Bill No,Hóa đơn số @@ -1628,6 +1626,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,Ưu đãi apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Giá trị không đồng bộ apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Giá trị chênh lệch +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vui lòng thiết lập chuỗi đánh số cho Tham dự thông qua Cài đặt> Sê-ri đánh số DocType: SMS Log,Requested Numbers,Số yêu cầu DocType: Volunteer,Evening,Tối DocType: Quiz,Quiz Configuration,Cấu hình câu đố @@ -1795,6 +1794,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,Từ đ DocType: Student Admission,Publish on website,Xuất bản trên trang web apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Ngày trên h.đơn mua hàng không thể lớn hơn ngày hạch toán DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Mã hàng> Nhóm vật phẩm> Thương hiệu DocType: Subscription,Cancelation Date,Ngày hủy DocType: Purchase Invoice Item,Purchase Order Item,Mua hàng mục DocType: Agriculture Task,Agriculture Task,Nhiệm vụ Nông nghiệp @@ -2403,7 +2403,6 @@ DocType: Promotional Scheme,Product Discount Slabs,Sản phẩm tấm giảm gi DocType: Target Detail,Target Distribution,phân bổ mục tiêu DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Tổng kết Đánh giá tạm thời apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Nhập khẩu các bên và địa chỉ -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Không tìm thấy yếu tố chuyển đổi UOM ({0} -> {1}) cho mục: {2} DocType: Salary Slip,Bank Account No.,Tài khoản ngân hàng số DocType: Naming Series,This is the number of the last created transaction with this prefix,Đây là số lượng các giao dịch tạo ra cuối cùng với tiền tố này DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2800,6 +2799,9 @@ DocType: Company,Default Holiday List,Mặc định Danh sách khách sạn Holi DocType: Pricing Rule,Supplier Group,Nhóm nhà cung cấp apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Bản tóm tắt apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Hàng {0}: Từ Thời gian và tới thời gian {1} là chồng chéo với {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",Một BOM có tên {0} đã tồn tại cho mục {1}.
Bạn đã đổi tên các mục? Vui lòng liên hệ với Quản trị viên / bộ phận hỗ trợ kỹ thuật apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Phải trả Hàng tồn kho DocType: Purchase Invoice,Supplier Warehouse,Nhà cung cấp kho DocType: Opportunity,Contact Mobile No,Số Di động Liên hệ @@ -3248,6 +3250,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Bàn họp chất lượng apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Truy cập diễn đàn +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Không thể hoàn thành tác vụ {0} vì tác vụ phụ thuộc của nó {1} không được hoàn thành / hủy bỏ. DocType: Student,Student Mobile Number,Số di động Sinh viên DocType: Item,Has Variants,Có biến thể DocType: Employee Benefit Claim,Claim Benefit For,Yêu cầu quyền lợi cho @@ -3410,7 +3413,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),Tổng số tiền thanh to apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Tạo biểu phí apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Lặp lại Doanh thu khách hàng DocType: Soil Texture,Silty Clay Loam,Silly Clay Loam -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vui lòng thiết lập Hệ thống đặt tên giảng viên trong giáo dục> Cài đặt giáo dục DocType: Quiz,Enter 0 to waive limit,Nhập 0 để từ bỏ giới hạn DocType: Bank Statement Settings,Mapped Items,Mục được ánh xạ DocType: Amazon MWS Settings,IT,CNTT @@ -3444,7 +3446,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",Không có đủ tài sản được tạo hoặc liên kết với {0}. \ Vui lòng tạo hoặc liên kết {1} Tài sản với tài liệu tương ứng. DocType: Pricing Rule,Apply Rule On Brand,Áp dụng quy tắc về thương hiệu DocType: Task,Actual End Date (via Time Sheet),Ngày kết thúc thực tế (thông qua thời gian biểu) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Không thể đóng tác vụ {0} vì tác vụ phụ thuộc của nó {1} không bị đóng. DocType: Soil Texture,Soil Type,Loại đất apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Số tiền {0} {1} với {2} {3} ,Quotation Trends,Các Xu hướng dự kê giá @@ -3474,6 +3475,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,Phương tiện tự lái DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Nhà cung cấp thẻ điểm chấm điểm apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Dãy {0}: Hóa đơn nguyên vật liệu không được tìm thấy cho mẫu hàng {1} DocType: Contract Fulfilment Checklist,Requirement,Yêu cầu +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vui lòng thiết lập Hệ thống đặt tên nhân viên trong Nhân sự> Cài đặt nhân sự DocType: Journal Entry,Accounts Receivable,Tài khoản Phải thu DocType: Quality Goal,Objectives,Mục tiêu DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Vai trò được phép tạo ứng dụng nghỉ việc lạc hậu @@ -3615,6 +3617,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,Ứng dụng apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Chi tiết về Nguồn cung cấp bên ngoài và nguồn cung cấp bên trong có thể chịu phí ngược lại apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Mở lại +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Không được phép. Vui lòng tắt Mẫu thử nghiệm Lab DocType: Sales Invoice Item,Qty as per Stock UOM,Số lượng theo như chứng khoán UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Tên Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Công ty gốc @@ -3674,6 +3677,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Loại hình kinh doanh DocType: Sales Invoice,Consumer,Khách hàng apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vui lòng chọn Số tiền phân bổ, Loại hóa đơn và hóa đơn số trong ít nhất một hàng" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vui lòng đặt Sê-ri đặt tên cho {0} qua Cài đặt> Cài đặt> Sê-ri đặt tên apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Chi phí mua hàng mới apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Đặt hàng bán hàng cần thiết cho mục {0} DocType: Grant Application,Grant Description,Mô tả Grant @@ -3700,7 +3704,6 @@ DocType: Payment Request,Transaction Details,chi tiết giao dịch apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,Vui lòng click vào 'Tạo Lịch trình' để có được lịch trình DocType: Item,"Purchase, Replenishment Details","Chi tiết mua hàng, bổ sung" DocType: Products Settings,Enable Field Filters,Bật bộ lọc trường -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Mã hàng> Nhóm vật phẩm> Thương hiệu apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","Mục khách hàng cung cấp" cũng không thể là mục Mua hàng DocType: Blanket Order Item,Ordered Quantity,Số lượng đặt hàng apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","ví dụ như ""Xây dựng các công cụ cho các nhà thầu""" @@ -4173,7 +4176,7 @@ DocType: BOM,Operating Cost (Company Currency),Chi phí điều hành (Công ty DocType: Authorization Rule,Applicable To (Role),Để áp dụng (Role) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Lá đang chờ xử lý DocType: BOM Update Tool,Replace BOM,Thay thế Hội đồng quản trị -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Mã {0} đã tồn tại +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Mã {0} đã tồn tại DocType: Patient Encounter,Procedures,Thủ tục apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Đơn đặt hàng không có sẵn để sản xuất DocType: Asset Movement,Purpose,Mục đích @@ -4270,6 +4273,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,Bỏ qua thời gian nh DocType: Warranty Claim,Service Address,Địa chỉ dịch vụ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Nhập dữ liệu chủ DocType: Asset Maintenance Task,Calibration,Hiệu chuẩn +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Mục thử nghiệm {0} đã tồn tại apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} là một kỳ nghỉ của công ty apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Giờ có thể tính hóa đơn apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Để lại thông báo trạng thái @@ -4635,7 +4639,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,Mức lương Đăng ký DocType: Company,Default warehouse for Sales Return,Kho mặc định cho doanh thu bán hàng DocType: Pick List,Parent Warehouse,Kho chính -DocType: Subscription,Net Total,Tổng thuần +DocType: C-Form Invoice Detail,Net Total,Tổng thuần apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Đặt thời hạn sử dụng của sản phẩm theo ngày, để đặt thời hạn sử dụng dựa trên ngày sản xuất cộng với thời hạn sử dụng." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Không tìm thấy BOM mặc định cho Mục {0} và Dự án {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Hàng {0}: Vui lòng đặt Chế độ thanh toán trong Lịch thanh toán @@ -4750,7 +4754,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Kho mục tiêu là bắt buộc đối với hàng {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Hoạt động bán lẻ DocType: Cheque Print Template,Primary Settings,Cài đặt chính -DocType: Attendance Request,Work From Home,Làm ở nhà +DocType: Attendance,Work From Home,Làm ở nhà DocType: Purchase Invoice,Select Supplier Address,Chọn nhà cung cấp Địa chỉ apps/erpnext/erpnext/public/js/event.js,Add Employees,Thêm nhân viên DocType: Purchase Invoice Item,Quality Inspection,Kiểm tra chất lượng @@ -4994,8 +4998,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,URL ủy quyền apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},Số tiền {0} {1} {2} {3} DocType: Account,Depreciation,Khấu hao -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Vui lòng xóa Nhân viên {0} \ để hủy tài liệu này" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,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 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),Nhà cung cấp (s) DocType: Employee Attendance Tool,Employee Attendance Tool,Nhân viên Công cụ Attendance @@ -5305,7 +5307,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,Tiêu chí Phân tích DocType: Cheque Print Template,Cheque Height,Chiều cao Séc DocType: Supplier,Supplier Details,Thông tin chi tiết nhà cung cấp DocType: Setup Progress,Setup Progress,Tiến trình thiết lập -DocType: Expense Claim,Approval Status,Tình trạng chính apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Từ giá trị phải nhỏ hơn giá trị trong hàng {0} DocType: Program,Intro Video,Video giới thiệu DocType: Manufacturing Settings,Default Warehouses for Production,Kho mặc định cho sản xuất @@ -5649,7 +5650,6 @@ DocType: Purchase Invoice,Rounded Total,Tròn số apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Các khe cho {0} không được thêm vào lịch biểu DocType: Product Bundle,List items that form the package.,Danh sách vật phẩm tạo thành các gói. apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Vị trí mục tiêu là bắt buộc trong khi chuyển Tài sản {0} -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Không được phép. Vui lòng vô hiệu mẫu kiểm tra DocType: Sales Invoice,Distance (in km),Khoảng cách (tính bằng km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Tỷ lệ phần trăm phân bổ phải bằng 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Vui lòng chọn ngày đăng bài trước khi lựa chọn đối tác @@ -5780,7 +5780,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,Danh sách Tỷ giá apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Tất cả các nhóm nhà cung cấp DocType: Employee Boarding Activity,Required for Employee Creation,Bắt buộc để tạo nhân viên -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Nhà cung cấp> Loại nhà cung cấp apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},Số tài khoản {0} đã được sử dụng trong tài khoản {1} DocType: GoCardless Mandate,Mandate,Uỷ nhiệm DocType: Hotel Room Reservation,Booked,Đã đặt trước @@ -5846,7 +5845,6 @@ DocType: Production Plan Item,Product Bundle Item,Gói sản phẩm hàng DocType: Sales Partner,Sales Partner Name,Tên đại lý apps/erpnext/erpnext/hooks.py,Request for Quotations,Yêu cầu Báo giá DocType: Payment Reconciliation,Maximum Invoice Amount,Số tiền Hoá đơn tối đa -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () không thành công cho IBAN trống DocType: Normal Test Items,Normal Test Items,Các bài kiểm tra thông thường DocType: QuickBooks Migrator,Company Settings,Thiết lập công ty DocType: Additional Salary,Overwrite Salary Structure Amount,Ghi đè số tiền cấu trúc lương @@ -6000,6 +5998,7 @@ DocType: Issue,Resolution By Variance,Nghị quyết bằng phương sai DocType: Leave Allocation,Leave Period,Rời khỏi Khoảng thời gian DocType: Item,Default Material Request Type,Mặc định liệu yêu cầu Loại DocType: Supplier Scorecard,Evaluation Period,Thời gian thẩm định +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Khách hàng> Nhóm khách hàng> Lãnh thổ apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,không xác định apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Đơn hàng công việc chưa tạo apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6364,8 +6363,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Số lượng yêu cầu DocType: Lab Test Template,Lab Test Template,Mẫu thử nghiệm Lab apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Kỳ kế toán trùng lặp với {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Nhà cung cấp> Loại nhà cung cấp apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Tài khoản bán hàng DocType: Purchase Invoice Item,Total Weight,Tổng khối lượng +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Vui lòng xóa Nhân viên {0} \ để hủy tài liệu này" DocType: Pick List Item,Pick List Item,Chọn mục danh sách apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Hoa hồng trên doanh thu DocType: Job Offer Term,Value / Description,Giá trị / Mô tả @@ -6480,6 +6482,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,Đã đăng nhập DocType: Bank Account,Party Type,Loại đối tác DocType: Discounted Invoice,Discounted Invoice,Hóa đơn giảm giá +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Đánh dấu tham dự như DocType: Payment Schedule,Payment Schedule,Lịch trình thanh toán apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Không tìm thấy nhân viên cho giá trị trường nhân viên nhất định. '{}': {} DocType: Item Attribute Value,Abbreviation,Rút gọn @@ -6582,7 +6585,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,Lý do để đưa vào gi DocType: Employee,Personal Email,Email cá nhân apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Tổng số phương sai DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Nếu được kích hoạt, hệ thống sẽ tự động đăng sổ kế toán để kiểm kê hàng hóa." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () chấp nhận IBAN không hợp lệ {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Môi giới apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Attendance cho nhân viên {0} đã được đánh dấu ngày này DocType: Work Order Operation,"in Minutes @@ -6853,6 +6855,7 @@ DocType: Appointment,Customer Details,Chi tiết khách hàng apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,In các mẫu IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Kiểm tra xem tài sản có yêu cầu Bảo dưỡng Ngăn ngừa hoặc Hiệu chuẩn apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Tên viết tắt của công ty không thể có nhiều hơn 5 ký tự +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Công ty mẹ phải là một công ty nhóm DocType: Employee,Reports to,Báo cáo ,Unpaid Expense Claim,Yêu cầu bồi thường chi phí chưa thanh toán DocType: Payment Entry,Paid Amount,Số tiền thanh toán @@ -6942,6 +6945,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Đếm ngược apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Cả ngày bắt đầu giai đoạn dùng thử và ngày kết thúc giai đoạn dùng thử phải được đặt apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Tỷ lệ trung bình +DocType: Appointment,Appointment With,Bổ nhiệm với apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Tổng số tiền thanh toán trong lịch thanh toán phải bằng tổng số tiền lớn / tròn apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Mục khách hàng cung cấp" không thể có Tỷ lệ định giá DocType: Subscription Plan Detail,Plan,Kế hoạch @@ -7075,7 +7079,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Ngược/Lead% DocType: Bank Guarantee,Bank Account Info,Thông tin tài khoản ngân hàng DocType: Bank Guarantee,Bank Guarantee Type,Loại bảo lãnh ngân hàng -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () không thành công cho IBAN hợp lệ {} DocType: Payment Schedule,Invoice Portion,Phần hóa đơn ,Asset Depreciations and Balances,Khấu hao và dư tài sản apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Số tiền {0} {1} chuyển từ {2} để {3} @@ -7746,7 +7749,6 @@ DocType: Dosage Form,Dosage Form,Dạng bào chế apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Vui lòng thiết lập Lịch chiến dịch trong Chiến dịch {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Danh sách giá tổng thể. DocType: Task,Review Date,Ngày đánh giá -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Đánh dấu tham dự là DocType: BOM,Allow Alternative Item,Cho phép Khoản Thay thế apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Biên lai mua hàng không có bất kỳ Mục nào cho phép Giữ lại mẫu được bật. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Hóa đơn tổng cộng @@ -7978,7 +7980,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,Giới hạn thử lại tối đa apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Danh sách giá không tìm thấy hoặc bị vô hiệu hóa DocType: Content Activity,Last Activity ,Hoạt động cuối -DocType: Student Applicant,Approved,Đã được phê duyệt DocType: Pricing Rule,Price,Giá apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Nhân viên bớt căng thẳng trên {0} phải được thiết lập như là 'trái' DocType: Guardian,Guardian,người bảo vệ @@ -8150,6 +8151,7 @@ DocType: Taxable Salary Slab,Percent Deduction,Phần trăm khấu trừ DocType: GL Entry,To Rename,Đổi tên DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Chọn để thêm Số sê-ri. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vui lòng thiết lập Hệ thống đặt tên giảng viên trong giáo dục> Cài đặt giáo dục apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Vui lòng đặt Mã tài chính cho khách hàng '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Trước tiên hãy chọn Công ty DocType: Item Attribute,Numeric Values,Giá trị Số @@ -8166,6 +8168,7 @@ DocType: Salary Detail,Additional Amount,Số tiền bổ sung apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Giỏ hàng rỗng apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No","Mặt hàng {0} không có số Serial, Chỉ các mặt hàng được quản lý theo Serial\ mới có thể có giao hàng dựa trên số serial" +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Số tiền khấu hao DocType: Vehicle,Model,Mô hình DocType: Work Order,Actual Operating Cost,Chi phí hoạt động thực tế DocType: Payment Entry,Cheque/Reference No,Séc / Reference No diff --git a/erpnext/translations/zh.csv b/erpnext/translations/zh.csv index 6a548d0c15..811f2911a7 100644 --- a/erpnext/translations/zh.csv +++ b/erpnext/translations/zh.csv @@ -44,7 +44,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,标准免税额 DocType: Exchange Rate Revaluation Account,New Exchange Rate,新汇率 apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},价格清单{0}需要设定货币 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,*将被计算在该交易内。 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,请在人力资源>人力资源设置中设置员工命名系统 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.- DocType: Purchase Order,Customer Contact,客户联系 DocType: Shift Type,Enable Auto Attendance,启用自动出勤 @@ -96,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,所有供应商联系人 DocType: Support Settings,Support Settings,支持设置 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},子公司{1}中添加了帐户{0} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,无效证件 +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,标记在家工作 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC可用(无论是全部操作部分) DocType: Amazon MWS Settings,Amazon MWS Settings,亚马逊MWS设置 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,处理优惠券 @@ -409,7 +409,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,物品税金额 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,会员资格 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}:供应商对于应付账款科目来说是必输的{2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,物料和定价 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客户>客户组>地区 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},总时间:{0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},起始日期应该在财年之内。财年起始日是{0} DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.- @@ -456,7 +455,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,选择的选项 DocType: SG Creation Tool Course,SG Creation Tool Course,SG创建工具课程 DocType: Bank Statement Transaction Invoice Item,Payment Description,付款说明 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,请通过设置>设置>命名系列为{0}设置命名系列 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,库存不足 DocType: Email Digest,New Sales Orders,新建销售订单 DocType: Bank Account,Bank Account,银行科目 @@ -778,6 +776,7 @@ DocType: Request for Quotation,Request for Quotation,询价 DocType: Healthcare Settings,Require Lab Test Approval,需要实验室测试批准 DocType: Attendance,Working Hours,工作时间 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,总未付 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},找不到项目{2}的UOM转换因子({0}-> {1}) DocType: Naming Series,Change the starting / current sequence number of an existing series.,更改现有系列的起始/当前序列号。 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,允许您根据订购金额收取更多费用的百分比。例如:如果某个商品的订单价值为100美元,而且公差设置为10%,那么您可以支付110美元的费用。 DocType: Dosage Strength,Strength,强度 @@ -1270,7 +1269,6 @@ DocType: Timesheet,Total Billed Hours,帐单总时间 DocType: Pricing Rule Item Group,Pricing Rule Item Group,定价规则项目组 DocType: Travel Itinerary,Travel To,目的地 apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,汇率重估主数据。 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,请通过“设置”>“编号序列”为出勤设置编号序列 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,销帐金额 DocType: Leave Block List Allow,Allow User,允许用户 DocType: Journal Entry,Bill No,账单编号 @@ -1638,6 +1636,7 @@ DocType: Production Plan Item,"If enabled, system will create the work order for DocType: Sales Team,Incentives,激励政策 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,值不同步 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,差异值 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,请通过“设置”>“编号序列”为出勤设置编号序列 DocType: SMS Log,Requested Numbers,请求号码 DocType: Volunteer,Evening,晚间 DocType: Quiz,Quiz Configuration,测验配置 @@ -1805,6 +1804,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,从地方 DocType: Student Admission,Publish on website,发布在网站上 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,供应商费用清单的日期不能超过过帐日期更大 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,物料代码>物料组>品牌 DocType: Subscription,Cancelation Date,取消日期 DocType: Purchase Invoice Item,Purchase Order Item,采购订单项 DocType: Agriculture Task,Agriculture Task,农业任务 @@ -2412,7 +2412,6 @@ DocType: Promotional Scheme,Product Discount Slabs,产品折扣板 DocType: Target Detail,Target Distribution,目标分布 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-定期评估 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,进口缔约方和地址 -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},找不到项目{2}的UOM转换因子({0}-> {1}) DocType: Salary Slip,Bank Account No.,银行账号 DocType: Naming Series,This is the number of the last created transaction with this prefix,这就是以这个前缀的最后一个创建的事务数 DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2806,6 +2805,9 @@ DocType: Company,Default Holiday List,默认假期列表 DocType: Pricing Rule,Supplier Group,供应商群组 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0}摘要 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},行{0}:从时间和结束时间{1}是具有重叠{2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",项目{1}的名称为{0}的BOM已存在。
您重命名了吗?请联系管理员/技术支持 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,库存负债 DocType: Purchase Invoice,Supplier Warehouse,供应商仓库 DocType: Opportunity,Contact Mobile No,联系人手机号码 @@ -3252,6 +3254,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,质量会议桌 apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,访问论坛 +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,无法完成任务{0},因为其相关任务{1}尚未完成/取消。 DocType: Student,Student Mobile Number,学生手机号码 DocType: Item,Has Variants,有变体 DocType: Employee Benefit Claim,Claim Benefit For,福利类型(薪资构成) @@ -3414,7 +3417,6 @@ DocType: Task,Total Billing Amount (via Time Sheet),总开票金额(通过工 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,创建收费表 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,重复客户收入 DocType: Soil Texture,Silty Clay Loam,泥土粘土 -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,请在“教育”>“教育设置”中设置教师命名系统 DocType: Quiz,Enter 0 to waive limit,输入0以放弃限制 DocType: Bank Statement Settings,Mapped Items,已映射的项目 DocType: Amazon MWS Settings,IT,IT @@ -3448,7 +3450,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",创建或链接到{0}的资产不足。 \请创建{1}资产或将其与相应的文档链接。 DocType: Pricing Rule,Apply Rule On Brand,在品牌上应用规则 DocType: Task,Actual End Date (via Time Sheet),实际结束日期(通过工时单) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,无法关闭任务{0},因为其依赖任务{1}未关闭。 DocType: Soil Texture,Soil Type,土壤类型 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},数量 {0}{1} 对应 {2}{3} ,Quotation Trends,报价趋势 @@ -3478,6 +3479,7 @@ DocType: Program Enrollment,Self-Driving Vehicle,自驾车 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,供应商记分卡当前评分 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},行{0}:材料清单未找到物料{1} DocType: Contract Fulfilment Checklist,Requirement,需求 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,请在人力资源>人力资源设置中设置员工命名系统 DocType: Journal Entry,Accounts Receivable,应收帐款 DocType: Quality Goal,Objectives,目标 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,允许创建回退休假申请的角色 @@ -3619,6 +3621,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,应用的 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,向外供应和向内供应的详细信息可能被撤销费用 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,重新打开 +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,不允许。请禁用实验室测试模板 DocType: Sales Invoice Item,Qty as per Stock UOM,按库存计量单位数量 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2名称 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,根公司 @@ -3678,6 +3681,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,业务类型 DocType: Sales Invoice,Consumer,消费者 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",请ATLEAST一行选择分配金额,费用清单类型和费用清单号码 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,请通过设置>设置>命名系列为{0}设置命名系列 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,新的采购成本 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},销售订单为物料{0}的必须项 DocType: Grant Application,Grant Description,授予说明 @@ -3704,7 +3708,6 @@ DocType: Payment Request,Transaction Details,交易明细 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,请在“生成表”点击获取工时单 DocType: Item,"Purchase, Replenishment Details",采购,补货细节 DocType: Products Settings,Enable Field Filters,启用字段过滤器 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,物料代码>物料组>品牌 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","""Customer Provided Item(客户提供的物品)"" 也不可被采购" DocType: Blanket Order Item,Ordered Quantity,已下单数量 apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",例如“建筑工人的建筑工具!” @@ -4175,7 +4178,7 @@ DocType: BOM,Operating Cost (Company Currency),营业成本(公司货币) DocType: Authorization Rule,Applicable To (Role),适用于(角色) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,待审批的休假 DocType: BOM Update Tool,Replace BOM,更换BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,代码{0}已经存在 +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,代码{0}已经存在 DocType: Patient Encounter,Procedures,程序 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,销售订单不可用于生产 DocType: Asset Movement,Purpose,目的 @@ -4284,6 +4287,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,忽略员工时间重叠 DocType: Warranty Claim,Service Address,服务地址 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,导入主数据 DocType: Asset Maintenance Task,Calibration,校准 +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,实验室测试项目{0}已存在 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0}是公司假期 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,可开票时间 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,离开状态通知 @@ -4637,7 +4641,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,工资台账 DocType: Company,Default warehouse for Sales Return,销售退货的默认仓库 DocType: Pick List,Parent Warehouse,上级仓库 -DocType: Subscription,Net Total,总净 +DocType: C-Form Invoice Detail,Net Total,总净 apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",设置项目的保质期(以天为单位),根据生产日期和保质期设置到期日。 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},找不到物料{0}和项目{1}的默认BOM apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,行{0}:请在付款时间表中设置付款方式 @@ -4752,7 +4756,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},行{0}必须指定目标仓库 apps/erpnext/erpnext/config/retail.py,Retail Operations,零售业务 DocType: Cheque Print Template,Primary Settings,主要设置 -DocType: Attendance Request,Work From Home,在家工作 +DocType: Attendance,Work From Home,在家工作 DocType: Purchase Invoice,Select Supplier Address,选择供应商地址 apps/erpnext/erpnext/public/js/event.js,Add Employees,添加员工 DocType: Purchase Invoice Item,Quality Inspection,质量检验 @@ -4996,8 +5000,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,授权URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},金额{0} {1} {2} {3} DocType: Account,Depreciation,折旧 -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","请删除员工{0} \以取消此文档" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,股份数量和股票数量不一致 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),供应商 DocType: Employee Attendance Tool,Employee Attendance Tool,员工考勤工具 @@ -5305,7 +5307,6 @@ DocType: Plant Analysis Criteria,Plant Analysis Criteria,植物分析标准 DocType: Cheque Print Template,Cheque Height,支票高度 DocType: Supplier,Supplier Details,供应商信息 DocType: Setup Progress,Setup Progress,设置进度 -DocType: Expense Claim,Approval Status,审批状态 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},行{0}的起始值必须小于去值 DocType: Program,Intro Video,介绍视频 DocType: Manufacturing Settings,Default Warehouses for Production,默认生产仓库 @@ -5649,7 +5650,6 @@ DocType: Purchase Invoice,Rounded Total,圆整后金额 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0}的插槽未添加到计划中 DocType: Product Bundle,List items that form the package.,本包装内的物料列表。 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},转移资产{0}时需要目标位置 -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,不允许。请禁用测试模板 DocType: Sales Invoice,Distance (in km),距离(公里) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,百分比分配应该等于100 % apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,在选择往来单位之前请先选择记帐日期 @@ -5780,7 +5780,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,价格清单汇率 apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,所有供应商组织 DocType: Employee Boarding Activity,Required for Employee Creation,用于创建员工时 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供应商>供应商类型 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},已在帐户{1}中使用的帐号{0} DocType: GoCardless Mandate,Mandate,要求 DocType: Hotel Room Reservation,Booked,已预订 @@ -5846,7 +5845,6 @@ DocType: Production Plan Item,Product Bundle Item,产品包物料 DocType: Sales Partner,Sales Partner Name,销售合作伙伴名称 apps/erpnext/erpnext/hooks.py,Request for Quotations,索取报价 DocType: Payment Reconciliation,Maximum Invoice Amount,最高费用清单金额 -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban()因空IBAN而失败 DocType: Normal Test Items,Normal Test Items,正常测试项目 DocType: QuickBooks Migrator,Company Settings,公司设置 DocType: Additional Salary,Overwrite Salary Structure Amount,覆盖薪资结构金额 @@ -6000,6 +5998,7 @@ DocType: Issue,Resolution By Variance,按方差分辨率 DocType: Leave Allocation,Leave Period,休假期间 DocType: Item,Default Material Request Type,默认物料申请类型 DocType: Supplier Scorecard,Evaluation Period,评估期 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客户>客户组>地区 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,未知 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,工单未创建 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6364,8 +6363,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,序列 DocType: Material Request Plan Item,Required Quantity,所需数量 DocType: Lab Test Template,Lab Test Template,实验室测试模板 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},会计期间与{0}重叠 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供应商>供应商类型 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,销售科目 DocType: Purchase Invoice Item,Total Weight,总重量 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","请删除员工{0} \以取消此文档" DocType: Pick List Item,Pick List Item,选择清单项目 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,销售佣金 DocType: Job Offer Term,Value / Description,值/说明 @@ -6480,6 +6482,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,签名 DocType: Bank Account,Party Type,往来单位类型 DocType: Discounted Invoice,Discounted Invoice,特价发票 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,将出席人数标记为 DocType: Payment Schedule,Payment Schedule,付款工时单 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},找不到给定员工字段值的员工。 '{}':{} DocType: Item Attribute Value,Abbreviation,缩写 @@ -6582,7 +6585,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,搁置的理由 DocType: Employee,Personal Email,个人电子邮件 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,总差异 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",如果启用,系统将自动为库存创建会计分录。 -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban()接受了无效的IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,佣金 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,考勤员工{0}已标记为这一天 DocType: Work Order Operation,"in Minutes @@ -6853,6 +6855,7 @@ DocType: Appointment,Customer Details,客户详细信息 apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,打印IRS 1099表格 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,检查资产是否需要预防性维护或校准 apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,公司缩写不能超过5个字符 +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,母公司必须是集团公司 DocType: Employee,Reports to,上级主管 ,Unpaid Expense Claim,未付费用报销 DocType: Payment Entry,Paid Amount,已付金额 @@ -6942,6 +6945,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp C apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,商机计数 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,必须设置试用期开始日期和试用期结束日期 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,平均率 +DocType: Appointment,Appointment With,预约 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,支付计划中的总付款金额必须等于总计/圆整的总计 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Customer Provided Item(客户提供的物品)"" 不允许拥有 Valuation Rate(估值比率)" DocType: Subscription Plan Detail,Plan,计划 @@ -7075,7 +7079,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,机会 / 商机% DocType: Bank Guarantee,Bank Account Info,银行账户信息 DocType: Bank Guarantee,Bank Guarantee Type,银行担保类型 -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban()因有效IBAN {}失败 DocType: Payment Schedule,Invoice Portion,费用清单占比 ,Asset Depreciations and Balances,资产折旧和余额 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},金额{0} {1}从转移{2}到{3} @@ -7745,7 +7748,6 @@ DocType: Dosage Form,Dosage Form,剂型 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},请在广告系列{0}中设置广告系列计划 apps/erpnext/erpnext/config/buying.py,Price List master.,价格清单主数据。 DocType: Task,Review Date,评论日期 -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,将出席人数标记为 DocType: BOM,Allow Alternative Item,允许替代物料 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,购买收据没有任何启用了保留样本的项目。 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,发票总计 @@ -7977,7 +7979,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,最大重试限制 apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,价格清单未找到或禁用 DocType: Content Activity,Last Activity ,上次活动 -DocType: Student Applicant,Approved,已批准 DocType: Pricing Rule,Price,价格 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',员工自{0}离职后,其状态必须设置为“已离职” DocType: Guardian,Guardian,监护人 @@ -8149,6 +8150,7 @@ DocType: Taxable Salary Slab,Percent Deduction,税率(%) DocType: GL Entry,To Rename,要重命名 DocType: Stock Entry,Repack,包装 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,选择添加序列号。 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,请在“教育”>“教育设置”中设置教师命名系统 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',请为客户'%s'设置财务代码 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,请先选择公司 DocType: Item Attribute,Numeric Values,数字值 @@ -8165,6 +8167,7 @@ DocType: Salary Detail,Additional Amount,额外金额 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,购物车是空的 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",物料{0}没有序列号。只有有序列号的物料 \可以根据序列号进行交付 +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,折旧额 DocType: Vehicle,Model,模型 DocType: Work Order,Actual Operating Cost,实际运行成本 DocType: Payment Entry,Cheque/Reference No,支票/参考编号 diff --git a/erpnext/translations/zh_tw.csv b/erpnext/translations/zh_tw.csv index e7138696b7..326cce47ba 100644 --- a/erpnext/translations/zh_tw.csv +++ b/erpnext/translations/zh_tw.csv @@ -39,7 +39,6 @@ DocType: Payroll Period,Standard Tax Exemption Amount,標準免稅額 DocType: Exchange Rate Revaluation Account,New Exchange Rate,新匯率 apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},價格表{0}需填入貨幣種類 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,*將被計算在該交易。 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,請在人力資源>人力資源設置中設置員工命名系統 DocType: Purchase Order,Customer Contact,客戶聯絡 DocType: Shift Type,Enable Auto Attendance,啟用自動出勤 apps/erpnext/erpnext/stock/doctype/quick_stock_balance/quick_stock_balance.js,Please enter Warehouse and Date,請輸入倉庫和日期 @@ -84,6 +83,7 @@ DocType: SMS Center,All Supplier Contact,所有供應商聯絡 DocType: Support Settings,Support Settings,支持設置 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},子公司{1}中添加了帳戶{0} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,無效證件 +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,標記在家工作 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC可用(無論是全部操作部分) DocType: Amazon MWS Settings,Amazon MWS Settings,亞馬遜MWS設置 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,處理優惠券 @@ -240,6 +240,7 @@ DocType: Tax Rule,Tax Type,稅收類型 ,Completed Work Orders,完成的工作訂單 DocType: Support Settings,Forum Posts,論壇帖子 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage",該任務已被列入後台工作。如果在後台處理有任何問題,系統將在此庫存對帳中添加有關錯誤的註釋,並恢復到草稿階段 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,第#{0}行:無法刪除已為其分配了工作訂單的項目{1}。 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started",抱歉,優惠券代碼有效期尚未開始 apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,應稅金額 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},你無權添加或更新{0}之前的條目 @@ -364,7 +365,6 @@ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,物品稅金額 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,會員資格 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}:需要對供應商應付賬款{2} apps/erpnext/erpnext/config/buying.py,Items and Pricing,項目和定價 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客戶>客戶組>地區 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},總時間:{0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},從日期應該是在財政年度內。假設起始日期={0} DocType: Drug Prescription,Interval,間隔 @@ -408,7 +408,6 @@ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for DocType: Quiz Result,Selected Option,選擇的選項 DocType: SG Creation Tool Course,SG Creation Tool Course,SG創建工具課程 DocType: Bank Statement Transaction Invoice Item,Payment Description,付款說明 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,請通過設置>設置>命名系列為{0}設置命名系列 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,庫存不足 DocType: Email Digest,New Sales Orders,新的銷售訂單 DocType: Bank Account,Bank Account,銀行帳戶 @@ -706,6 +705,7 @@ DocType: Request for Quotation,Request for Quotation,詢價 DocType: Healthcare Settings,Require Lab Test Approval,需要實驗室測試批准 DocType: Attendance,Working Hours,工作時間 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,總計傑出 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},找不到項目{2}的UOM轉換因子({0}-> {1}) DocType: Naming Series,Change the starting / current sequence number of an existing series.,更改現有系列的開始/當前的序列號。 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,允許您根據訂購金額收取更多費用的百分比。例如:如果某個商品的訂單價值為100美元,而且公差設置為10%,那麼您可以支付110美元的費用。 DocType: Dosage Strength,Strength,強度 @@ -1151,7 +1151,6 @@ DocType: Timesheet,Total Billed Hours,帳單總時間 DocType: Pricing Rule Item Group,Pricing Rule Item Group,定價規則項目組 DocType: Travel Itinerary,Travel To,前往 apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,匯率重估主數據。 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,請通過“設置”>“編號序列”為出勤設置編號序列 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,核銷金額 DocType: Leave Block List Allow,Allow User,允許用戶 DocType: Journal Entry,Bill No,帳單號碼 @@ -1498,6 +1497,7 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,To DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.",如果啟用,系統將為BOM可用的爆炸項目創建工作訂單。 DocType: Sales Team,Incentives,獎勵 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,差異值 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,請通過“設置”>“編號序列”為出勤設置編號序列 DocType: SMS Log,Requested Numbers,請求號碼 DocType: Volunteer,Evening,晚間 DocType: Quiz,Quiz Configuration,測驗配置 @@ -1650,6 +1650,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"For 'Produ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,從地方 DocType: Student Admission,Publish on website,發布在網站上 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,供應商發票的日期不能超過過帳日期更大 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,物料代碼>物料組>品牌 DocType: Purchase Invoice Item,Purchase Order Item,採購訂單項目 DocType: Agriculture Task,Agriculture Task,農業任務 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,間接收入 @@ -2205,7 +2206,6 @@ DocType: Promotional Scheme,Product Discount Slabs,產品折扣板 DocType: Target Detail,Target Distribution,目標分佈 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-定期評估 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,進口締約方和地址 -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},找不到項目{2}的UOM轉換因子({0}-> {1}) DocType: Salary Slip,Bank Account No.,銀行賬號 DocType: Naming Series,This is the number of the last created transaction with this prefix,這就是以這個前綴的最後一個創建的事務數 DocType: Supplier Scorecard,"Scorecard variables can be used, as well as: @@ -2561,6 +2561,9 @@ DocType: Asset Maintenance Task,Certificate Required,證書要求 DocType: Company,Default Holiday List,預設假日表列 DocType: Pricing Rule,Supplier Group,供應商集團 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},行{0}:從時間和結束時間{1}是具有重疊{2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. +
Did you rename the item? Please contact Administrator / Tech support + ",項目{1}的名稱為{0}的BOM已存在。
您重命名了嗎?請聯繫管理員/技術支持 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,現貨負債 DocType: Purchase Invoice,Supplier Warehouse,供應商倉庫 DocType: Opportunity,Contact Mobile No,聯絡手機號碼 @@ -2968,6 +2971,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},查看{0}中的所有問題 DocType: Quality Meeting Table,Quality Meeting Table,質量會議桌 apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,訪問論壇 +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,無法完成任務{0},因為其相關任務{1}尚未完成/取消。 DocType: Student,Student Mobile Number,學生手機號碼 DocType: Item,Has Variants,有變種 DocType: Employee Benefit Claim,Claim Benefit For,索賠利益 @@ -3113,7 +3117,6 @@ DocType: Inpatient Record,Discharge,卸貨 DocType: Task,Total Billing Amount (via Time Sheet),總開票金額(通過時間表) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,創建收費表 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,重複客戶收入 -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,請在“教育”>“教育設置”中設置教師命名系統 DocType: Quiz,Enter 0 to waive limit,輸入0以放棄限制 DocType: Bank Statement Settings,Mapped Items,映射項目 DocType: Amazon MWS Settings,IT,它 @@ -3146,7 +3149,6 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"T Please create or link {1} Assets with respective document.",創建或鏈接到{0}的資產不足。 \請創建{1}資產或將其與相應的文檔鏈接。 DocType: Pricing Rule,Apply Rule On Brand,在品牌上應用規則 DocType: Task,Actual End Date (via Time Sheet),實際結束日期(通過時間表) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,無法關閉任務{0},因為其依賴任務{1}未關閉。 DocType: Soil Texture,Soil Type,土壤類型 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},量{0} {1}對{2} {3} ,Quotation Trends,報價趨勢 @@ -3174,6 +3176,7 @@ DocType: Student Report Generation Tool,Add Letterhead,添加信頭 DocType: Program Enrollment,Self-Driving Vehicle,自駕車 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,供應商記分卡站立 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},行{0}:材料清單未找到項目{1} +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,請在人力資源>人力資源設置中設置員工命名系統 DocType: Journal Entry,Accounts Receivable,應收帳款 DocType: Quality Goal,Objectives,目標 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,允許創建回退休假申請的角色 @@ -3306,6 +3309,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Job Descr DocType: Student Applicant,Applied,應用的 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,向外供應和向內供應的詳細信息可能被撤銷費用 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,重新打開 +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,不允許。請禁用實驗室測試模板 DocType: Sales Invoice Item,Qty as per Stock UOM,數量按庫存計量單位 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2名稱 DocType: Attendance,Attendance Request,出席請求 @@ -3359,6 +3363,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Please set GST Accou apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,業務類型 DocType: Sales Invoice,Consumer,消費者 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",請ATLEAST一行選擇分配金額,發票類型和發票號碼 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,請通過設置>設置>命名系列為{0}設置命名系列 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,新的採購成本 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},所需的{0}項目銷售訂單 DocType: Grant Application,Grant Description,授予說明 @@ -3382,7 +3387,6 @@ DocType: Payment Request,Transaction Details,交易明細 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to get schedule,請在“產生排程”點擊以得到排程表 DocType: Item,"Purchase, Replenishment Details",購買,補貨細節 DocType: Products Settings,Enable Field Filters,啟用字段過濾器 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,物料代碼>物料組>品牌 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also",客戶提供的物品“也不能是購買項目 DocType: Blanket Order Item,Ordered Quantity,訂購數量 apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",例如「建設建設者工具“ @@ -3813,7 +3817,7 @@ DocType: BOM,Operating Cost (Company Currency),營業成本(公司貨幣) DocType: Authorization Rule,Applicable To (Role),適用於(角色) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,等待葉子 DocType: BOM Update Tool,Replace BOM,更換BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,代碼{0}已經存在 +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,代碼{0}已經存在 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,銷售訂單不可用於生產 DocType: Company,Fixed Asset Depreciation Settings,固定資產折舊設置 DocType: Item,Will also apply for variants unless overrridden,同時將申請變種,除非overrridden @@ -3921,6 +3925,7 @@ DocType: Projects Settings,Ignore Employee Time Overlap,忽略員工時間重疊 DocType: Warranty Claim,Service Address,服務地址 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,導入主數據 DocType: Asset Maintenance Task,Calibration,校準 +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,實驗室測試項目{0}已存在 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,可開票時間 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,離開狀態通知 DocType: Patient Appointment,Procedure Prescription,程序處方 @@ -4260,7 +4265,7 @@ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_ ,Salary Register,薪酬註冊 DocType: Company,Default warehouse for Sales Return,銷售退貨的默認倉庫 DocType: Pick List,Parent Warehouse,家長倉庫 -DocType: Subscription,Net Total,總淨值 +DocType: C-Form Invoice Detail,Net Total,總淨值 apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",設置項目的保質期(以天為單位),根據生產日期和保質期設置到期日。 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},項目{0}和項目{1}找不到默認BOM apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,行{0}:請在付款時間表中設置付款方式 @@ -4592,8 +4597,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center wit DocType: QuickBooks Migrator,Authorization URL,授權URL apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} {2} {3},金額{0} {1} {2} {3} DocType: Account,Depreciation,折舊 -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","請刪除員工{0} \以取消此文檔" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The number of shares and the share numbers are inconsistent,股份數量和股票數量不一致 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),供應商(S) DocType: Employee Attendance Tool,Employee Attendance Tool,員工考勤工具 @@ -4883,7 +4886,6 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if ther DocType: Plant Analysis Criteria,Plant Analysis Criteria,植物分析標準 DocType: Supplier,Supplier Details,供應商詳細資訊 DocType: Setup Progress,Setup Progress,設置進度 -DocType: Expense Claim,Approval Status,審批狀態 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},來源值必須小於列{0}的值 DocType: Program,Intro Video,介紹視頻 DocType: Manufacturing Settings,Default Warehouses for Production,默認生產倉庫 @@ -5201,7 +5203,6 @@ DocType: Purchase Invoice,Rounded Total,整數總計 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0}的插槽未添加到計劃中 DocType: Product Bundle,List items that form the package.,形成包列表項。 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},轉移資產{0}時需要目標位置 -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,不允許。請禁用測試模板 DocType: Sales Invoice,Distance (in km),距離(公里) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,百分比分配總和應該等於100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,在選擇之前,甲方請選擇發布日期 @@ -5323,7 +5324,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/stude DocType: Purchase Invoice,Price List Exchange Rate,價目表匯率 apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,所有供應商組織 DocType: Employee Boarding Activity,Required for Employee Creation,員工創建需要 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供應商>供應商類型 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account Number {0} already used in account {1},已在帳戶{1}中使用的帳號{0} DocType: Hotel Room Reservation,Booked,預訂 DocType: Detected Disease,Tasks Created,創建的任務 @@ -5385,7 +5385,6 @@ DocType: Production Plan Item,Product Bundle Item,產品包項目 DocType: Sales Partner,Sales Partner Name,銷售合作夥伴名稱 apps/erpnext/erpnext/hooks.py,Request for Quotations,索取報價 DocType: Payment Reconciliation,Maximum Invoice Amount,最大發票額 -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban()因空IBAN而失敗 DocType: Normal Test Items,Normal Test Items,正常測試項目 DocType: QuickBooks Migrator,Company Settings,公司設置 DocType: Additional Salary,Overwrite Salary Structure Amount,覆蓋薪資結構金額 @@ -5526,6 +5525,7 @@ DocType: Customer,Account Manager,客戶經理 DocType: Leave Allocation,Leave Period,休假期間 DocType: Item,Default Material Request Type,默認材料請求類型 DocType: Supplier Scorecard,Evaluation Period,評估期 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客戶>客戶組>地區 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,工作訂單未創建 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ set the amount equal or greater than {2}",已為組件{1}申請的金額{0},設置等於或大於{2}的金額 @@ -5858,8 +5858,11 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,序列 DocType: Material Request Plan Item,Required Quantity,所需數量 DocType: Lab Test Template,Lab Test Template,實驗室測試模板 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},會計期間與{0}重疊 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供應商>供應商類型 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,銷售帳戶 DocType: Purchase Invoice Item,Total Weight,總重量 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","請刪除員工{0} \以取消此文檔" DocType: Pick List Item,Pick List Item,選擇清單項目 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,銷售佣金 DocType: Job Offer Term,Value / Description,值/說明 @@ -5964,6 +5967,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Date of Commencement shoul DocType: Contract,Signed On,簽名 DocType: Bank Account,Party Type,黨的類型 DocType: Discounted Invoice,Discounted Invoice,特價發票 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,將出席人數標記為 DocType: Payment Schedule,Payment Schedule,付款時間表 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},找不到給定員工字段值的員工。 '{}':{} DocType: Item Attribute Value,Abbreviation,縮寫 @@ -6059,7 +6063,6 @@ DocType: Purchase Invoice,Reason For Putting On Hold,擱置的理由 DocType: Employee,Personal Email,個人電子郵件 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,總方差 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",如果啟用,系統將自動為發布庫存會計分錄。 -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban()接受了無效的IBAN {} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,考勤員工{0}已標記為這一天 DocType: Work Order Operation,"in Minutes Updated via 'Time Log'","在分 @@ -6304,6 +6307,7 @@ DocType: Asset Maintenance Log,Has Certificate,有證書 DocType: Appointment,Customer Details,客戶詳細資訊 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,檢查資產是否需要預防性維護或校準 apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,公司縮寫不能超過5個字符 +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,母公司必須是集團公司 DocType: Employee,Reports to,隸屬於 ,Unpaid Expense Claim,未付費用報銷 DocType: Payment Entry,Paid Amount,支付的金額 @@ -6387,6 +6391,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,必須設置試用期開始日期和試用期結束日期 +DocType: Appointment,Appointment With,預約 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,支付計劃中的總付款金額必須等於大/圓 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",客戶提供的物品“不能有估價率 DocType: Subscription Plan Detail,Plan,計劃 @@ -6512,7 +6517,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/L apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,銀行賬戶信息 DocType: Bank Guarantee,Bank Guarantee Type,銀行擔保類型 -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban()因有效IBAN {}失敗 DocType: Payment Schedule,Invoice Portion,發票部分 ,Asset Depreciations and Balances,資產折舊和平衡 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},金額{0} {1}從轉移{2}到{3} @@ -7125,7 +7129,6 @@ DocType: Dosage Form,Dosage Form,劑型 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},請在廣告系列{0}中設置廣告系列計劃 apps/erpnext/erpnext/config/buying.py,Price List master.,價格表主檔 DocType: Task,Review Date,評論日期 -apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,將出席人數標記為 DocType: BOM,Allow Alternative Item,允許替代項目 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,購買收據沒有任何啟用了保留樣本的項目。 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,發票總計 @@ -7339,7 +7342,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Amazon MWS Settings,Max Retry Limit,最大重試限制 apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,價格表未找到或被禁用 DocType: Content Activity,Last Activity ,上次活動 -DocType: Student Applicant,Approved,批准 DocType: Pricing Rule,Price,價格 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',員工解除對{0}必須設定為“左” DocType: Guardian,Guardian,監護人 @@ -7492,6 +7494,7 @@ apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From C DocType: Taxable Salary Slab,Percent Deduction,扣除百分比 DocType: Stock Entry,Repack,重新包裝 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,選擇添加序列號。 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,請在“教育”>“教育設置”中設置教師命名系統 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',請為客戶'%s'設置財務代碼 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,請先選擇公司 DocType: Item Attribute,Numeric Values,數字值 @@ -7507,6 +7510,7 @@ DocType: Salary Detail,Additional Amount,額外金額 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,車是空的 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",項目{0}沒有序列號只有serilialized items \可以根據序列號進行交付 +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,折舊額 DocType: Work Order,Actual Operating Cost,實際運行成本 DocType: Payment Entry,Cheque/Reference No,支票/參考編號 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,基於FIFO獲取 From ba0712a429dd40375349ffa919ff5d0b9b35b11a Mon Sep 17 00:00:00 2001 From: Frappe PR Bot Date: Mon, 3 Feb 2020 14:58:03 +0530 Subject: [PATCH 24/46] feat: Updated translation (#20490) --- erpnext/translations/af.csv | 11 +++++++++++ erpnext/translations/am.csv | 10 ++++++++++ erpnext/translations/ar.csv | 11 +++++++++++ erpnext/translations/bg.csv | 11 +++++++++++ erpnext/translations/bn.csv | 10 ++++++++++ erpnext/translations/bs.csv | 11 +++++++++++ erpnext/translations/ca.csv | 11 +++++++++++ erpnext/translations/cs.csv | 11 +++++++++++ erpnext/translations/da.csv | 11 +++++++++++ erpnext/translations/de.csv | 11 +++++++++++ erpnext/translations/el.csv | 11 +++++++++++ erpnext/translations/es.csv | 11 +++++++++++ erpnext/translations/et.csv | 11 +++++++++++ erpnext/translations/fa.csv | 9 +++++++++ erpnext/translations/fi.csv | 11 +++++++++++ erpnext/translations/fr.csv | 11 +++++++++++ erpnext/translations/gu.csv | 10 ++++++++++ erpnext/translations/hi.csv | 11 +++++++++++ erpnext/translations/hr.csv | 11 +++++++++++ erpnext/translations/hu.csv | 11 +++++++++++ erpnext/translations/id.csv | 11 +++++++++++ erpnext/translations/is.csv | 11 +++++++++++ erpnext/translations/it.csv | 11 +++++++++++ erpnext/translations/ja.csv | 11 +++++++++++ erpnext/translations/km.csv | 10 ++++++++++ erpnext/translations/kn.csv | 10 ++++++++++ erpnext/translations/ko.csv | 11 +++++++++++ erpnext/translations/ku.csv | 8 ++++++++ erpnext/translations/lo.csv | 11 +++++++++++ erpnext/translations/lt.csv | 10 ++++++++++ erpnext/translations/lv.csv | 11 +++++++++++ erpnext/translations/mk.csv | 10 ++++++++++ erpnext/translations/ml.csv | 10 ++++++++++ erpnext/translations/mr.csv | 10 ++++++++++ erpnext/translations/ms.csv | 11 +++++++++++ erpnext/translations/my.csv | 9 +++++++++ erpnext/translations/nl.csv | 11 +++++++++++ erpnext/translations/no.csv | 11 +++++++++++ erpnext/translations/pl.csv | 11 +++++++++++ erpnext/translations/ps.csv | 10 ++++++++++ erpnext/translations/pt.csv | 11 +++++++++++ erpnext/translations/ro.csv | 11 +++++++++++ erpnext/translations/ru.csv | 11 +++++++++++ erpnext/translations/si.csv | 10 ++++++++++ erpnext/translations/sk.csv | 11 +++++++++++ erpnext/translations/sl.csv | 11 +++++++++++ erpnext/translations/sq.csv | 10 ++++++++++ erpnext/translations/sr.csv | 11 +++++++++++ erpnext/translations/sv.csv | 11 +++++++++++ erpnext/translations/sw.csv | 11 +++++++++++ erpnext/translations/ta.csv | 10 ++++++++++ erpnext/translations/te.csv | 10 ++++++++++ erpnext/translations/th.csv | 11 +++++++++++ erpnext/translations/tr.csv | 11 +++++++++++ erpnext/translations/uk.csv | 11 +++++++++++ erpnext/translations/ur.csv | 10 ++++++++++ erpnext/translations/uz.csv | 11 +++++++++++ erpnext/translations/vi.csv | 11 +++++++++++ erpnext/translations/zh.csv | 11 +++++++++++ erpnext/translations/zh_tw.csv | 11 +++++++++++ 60 files changed, 638 insertions(+) diff --git a/erpnext/translations/af.csv b/erpnext/translations/af.csv index c2604ac0cc..d31dda2d05 100644 --- a/erpnext/translations/af.csv +++ b/erpnext/translations/af.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,Nuwe BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Voorgeskrewe Prosedures apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Wys net POS DocType: Supplier Group,Supplier Group Name,Verskaffer Groep Naam +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Merk bywoning as DocType: Driver,Driving License Categories,Bestuurslisensie Kategorieë apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Voer asseblief Verskaffingsdatum in DocType: Depreciation Schedule,Make Depreciation Entry,Maak waardeverminderinginskrywing @@ -999,6 +1000,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Verwyder maatskappytransaksies DocType: Production Plan Item,Quantity and Description,Hoeveelheid en beskrywing apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Verwysingsnommer en verwysingsdatum is verpligtend vir Banktransaksie +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series in vir {0} via Setup> Settings> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Voeg / verander belasting en heffings DocType: Payment Entry Reference,Supplier Invoice No,Verskafferfaktuurnr DocType: Territory,For reference,Vir verwysing @@ -4198,6 +4200,8 @@ DocType: Homepage,Homepage,tuisblad DocType: Grant Application,Grant Application Details ,Gee aansoek besonderhede DocType: Employee Separation,Employee Separation,Werknemersskeiding DocType: BOM Item,Original Item,Oorspronklike item +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Skrap die werknemer {0} \ om hierdie dokument te kanselleer" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Datum apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fooi Rekords Geskep - {0} DocType: Asset Category Account,Asset Category Account,Bate Kategorie Rekening @@ -5215,6 +5219,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Koste van ver apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Stel gebeure in op {0}, aangesien die werknemer verbonde aan die onderstaande verkoopspersone nie 'n gebruikers-ID het nie {1}" DocType: Timesheet,Billing Details,Rekeningbesonderhede apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Bron en teiken pakhuis moet anders wees +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Stel asseblief 'n naamstelsel vir werknemers in vir menslike hulpbronne> HR-instellings apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Betaling misluk. Gaan asseblief jou GoCardless rekening vir meer besonderhede apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nie toegelaat om voorraadtransaksies ouer as {0} by te werk nie. DocType: Stock Entry,Inspection Required,Inspeksie benodig @@ -5448,6 +5453,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Huidige BOM en Nuwe BOM kan nie dieselfde wees nie apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Salaris Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Datum van aftrede moet groter wees as datum van aansluiting +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Verskaffer> Verskaffer tipe apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Veelvuldige Varianten DocType: Sales Invoice,Against Income Account,Teen Inkomsterekening apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% afgelewer @@ -6277,6 +6283,7 @@ DocType: Program Enrollment,Institute's Bus,Instituut se Bus DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rol toegelaat om bevrore rekeninge in te stel en Bevrore Inskrywings te wysig DocType: Supplier Scorecard Scoring Variable,Path,pad apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Kan nie Kostesentrum omskakel na grootboek nie aangesien dit nodusse het +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-omskakelingsfaktor ({0} -> {1}) nie vir item gevind nie: {2} DocType: Production Plan,Total Planned Qty,Totale Beplande Aantal apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transaksies het reeds weer uit die staat verskyn apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Openingswaarde @@ -6499,6 +6506,7 @@ DocType: Lab Test,Result Date,Resultaat Datum DocType: Purchase Order,To Receive,Om te ontvang DocType: Leave Period,Holiday List for Optional Leave,Vakansie Lys vir Opsionele Verlof DocType: Item Tax Template,Tax Rates,Belastingkoerse +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Itemkode> Itemgroep> Merk DocType: Asset,Asset Owner,Bate-eienaar DocType: Item,Website Content,Inhoud van die webwerf DocType: Bank Account,Integration ID,Integrasie ID @@ -6624,6 +6632,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Addisionele koste apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Kan nie filter gebaseer op Voucher No, indien gegroepeer deur Voucher" DocType: Quality Inspection,Incoming,inkomende +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel nommeringreekse op vir bywoning via Setup> Numbering Series apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standaard belasting sjablonen vir verkope en aankoop word gemaak. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Assesseringsresultaat rekord {0} bestaan reeds. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Voorbeeld: ABCD. #####. As reeksreeks ingestel is en Batchnommer nie in transaksies genoem word nie, sal outomatiese joernaalnommer geskep word op grond van hierdie reeks. As jy dit altyd wil spesifiseer, moet jy dit loslaat. Let wel: hierdie instelling sal prioriteit geniet in die voorkeuraam van die naamreeks in voorraadinstellings." @@ -6963,6 +6972,7 @@ DocType: Journal Entry,Write Off Entry,Skryf Uit Inskrywing DocType: BOM,Rate Of Materials Based On,Mate van materiaal gebaseer op DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Indien geaktiveer, sal die vak Akademiese Termyn Verpligtend wees in die Programinskrywingsinstrument." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Waardes van vrygestelde, nie-gegradeerde en nie-GST-voorrade" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kliënt> Kliëntegroep> Gebied apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Die maatskappy is 'n verpligte filter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Ontmerk alles DocType: Purchase Taxes and Charges,On Item Quantity,Op die hoeveelheid @@ -7007,6 +7017,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,aansluit apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Tekort DocType: Purchase Invoice,Input Service Distributor,Insetdiensverspreider apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Item variant {0} bestaan met dieselfde eienskappe +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Stel asb. Die instrukteur-naamstelsel op in onderwys> Onderwysinstellings DocType: Loan,Repay from Salary,Terugbetaal van Salaris DocType: Exotel Settings,API Token,API-token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Versoek betaling teen {0} {1} vir bedrag {2} diff --git a/erpnext/translations/am.csv b/erpnext/translations/am.csv index c79c4601bb..5794fd722a 100644 --- a/erpnext/translations/am.csv +++ b/erpnext/translations/am.csv @@ -388,6 +388,7 @@ DocType: BOM Update Tool,New BOM,አዲስ BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,የታዘዙ ሸቀጦች apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS ብቻ አሳይ DocType: Supplier Group,Supplier Group Name,የአቅራቢው የቡድን ስም +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,ተገኝነትን እንደ ምልክት ያድርጉ DocType: Driver,Driving License Categories,የመንጃ ፍቃድ ምድቦች apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,እባክዎ የመላኪያ ቀን ያስገቡ DocType: Depreciation Schedule,Make Depreciation Entry,የእርጅና Entry አድርግ @@ -4192,6 +4193,8 @@ DocType: Homepage,Homepage,መነሻ ገጽ DocType: Grant Application,Grant Application Details ,የመተግበሪያ ዝርዝሮችን ይስጡ DocType: Employee Separation,Employee Separation,የሰራተኛ መለያ DocType: BOM Item,Original Item,የመጀመሪያው ንጥል +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ይህንን ሰነድ ለመሰረዝ እባክዎ ሰራተኛውን {0} \ ያጥፉ" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ክፍያ መዛግብት ፈጥሯል - {0} DocType: Asset Category Account,Asset Category Account,የንብረት ምድብ መለያ @@ -5205,6 +5208,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,የተለያ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","ወደ ክስተቶች በማቀናበር ላይ {0}, የሽያጭ አካላት ከታች ያለውን ጋር ተያይዞ ሠራተኛው የተጠቃሚ መታወቂያ የለውም ጀምሮ {1}" DocType: Timesheet,Billing Details,አከፋፈል ዝርዝሮች apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,የመነሻ እና የመድረሻ መጋዘን የተለየ መሆን አለበት +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,በሰብአዊ ሀብት> የሰው ሠራሽ ቅንጅቶች ውስጥ የሰራተኛ መለያ ስም መስሪያ ስርዓት ያዋቅሩ apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ክፍያ አልተሳካም. ለተጨማሪ ዝርዝሮች እባክዎ የ GoCardless መለያዎን ይመልከቱ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},አይደለም በላይ የቆዩ የአክሲዮን ግብይቶችን ለማዘመን አይፈቀድላቸውም {0} DocType: Stock Entry,Inspection Required,የምርመራ ያስፈልጋል @@ -5437,6 +5441,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,የአሁኑ BOM ኒው BOM ተመሳሳይ መሆን አይችልም apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,የቀጣሪ መታወቂያ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,ጡረታ መካከል ቀን በመቀላቀል ቀን የበለጠ መሆን አለበት +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,አቅራቢ> የአቅራቢ ዓይነት apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,በርካታ ስሪቶች DocType: Sales Invoice,Against Income Account,የገቢ መለያ ላይ apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% ደርሷል @@ -6265,6 +6270,7 @@ DocType: Program Enrollment,Institute's Bus,የኢንስቲቱ አውቶቡስ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ሚና Frozen መለያዎች & አርትዕ Frozen ግቤቶችን አዘጋጅ የሚፈቀድለት DocType: Supplier Scorecard Scoring Variable,Path,ዱካ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ይህ ልጅ መገናኛ ነጥቦች አሉት እንደ የመቁጠር ወደ ወጪ ማዕከል መለወጥ አይቻልም +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM የልወጣ ሁኔታ ({0} -> {1}) ለንጥል አልተገኘም {{2} DocType: Production Plan,Total Planned Qty,የታቀደ አጠቃላይ ቅደም ተከተል apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ግብይቶቹ ቀደም ሲል ከ መግለጫው ተመልሰዋል። apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,በመክፈት ላይ እሴት @@ -6487,6 +6493,7 @@ DocType: Lab Test,Result Date,ውጤት ቀን DocType: Purchase Order,To Receive,መቀበል DocType: Leave Period,Holiday List for Optional Leave,የአማራጭ ፈቃድ የአፈፃጸም ዝርዝር DocType: Item Tax Template,Tax Rates,የግብር ተመኖች +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,የንጥል ኮድ> የንጥል ቡድን> የምርት ስም DocType: Asset,Asset Owner,የንብረት ባለቤት DocType: Item,Website Content,የድር ጣቢያ ይዘት። DocType: Bank Account,Integration ID,የተቀናጀ መታወቂያ። @@ -6612,6 +6619,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,ተጨማሪ ወጪ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","ቫውቸር ምንም ላይ የተመሠረተ ማጣሪያ አይችሉም, ቫውቸር በ ተመድበው ከሆነ" DocType: Quality Inspection,Incoming,ገቢ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,እባክዎን ለተማሪ ተገኝነት በማዋቀር> በቁጥር ተከታታይ በኩል ያዘጋጁ apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,ለሽያጭ እና ለግዢ ነባሪ የግብር አብነቶች ተፈጥረዋል. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,የአመሳሾቹ ውጤት ዘገባ {0} አስቀድሞም ይገኛል. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","ምሳሌ ABCD. #####. ተከታታይነት ከተዘጋጀ እና የቡድን ቁጥር በግብይቶች ውስጥ ካልተጠቀሰ, በዚህ ተከታታይ ላይ ተመስርተው ራስ-ሰር ቁጥሩ ቁጥር ይፈጠራል. ለእዚህ ንጥል እቃ ዝርዝር በግልጽ ለመጥቀስ የሚፈልጉ ከሆነ, ይህንን ባዶ ይተውት. ማሳሰቢያ: ይህ ቅንብር በስምሪት ቅንጅቶች ውስጥ ከሚታወቀው Seriesing ቅድመ-ቅጥያ ቅድሚያ ይሰጠዋል." @@ -6953,6 +6961,7 @@ DocType: Journal Entry,Write Off Entry,Entry ጠፍቷል ይጻፉ DocType: BOM,Rate Of Materials Based On,ደረጃ ይስጡ እቃዎች ላይ የተመረኮዘ ላይ DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","ከነቃ, የአካዳሚክ የትምህርት ጊዜ በፕሮግራም ምዝገባ ፕሮግራም ውስጥ አስገዳጅ ይሆናል." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",የነፃ ፣ የ Nil ደረጃ እና GST ያልሆኑ ውስጣዊ አቅርቦቶች እሴቶች። +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ደንበኛ> የደንበኛ ቡድን> ግዛት apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,ኩባንያ የግዴታ ማጣሪያ ነው። apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,ሁሉንም አታመልክት DocType: Purchase Taxes and Charges,On Item Quantity,በእቃ ቁጥር። @@ -6997,6 +7006,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,ተቀላቀል apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,እጥረት ብዛት DocType: Purchase Invoice,Input Service Distributor,የግቤት አገልግሎት አሰራጭ apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,ንጥል ተለዋጭ {0} ተመሳሳይ ባሕርያት ጋር አለ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,እባክዎ በትምህርቱ> የትምህርት ቅንብሮች ውስጥ የትምህርት አሰጣጥ / መለያ መመሪያን ያዋቅሩ DocType: Loan,Repay from Salary,ደመወዝ ከ ልከፍለው DocType: Exotel Settings,API Token,ኤ.ፒ.አይ. የምስክር ወረቀት apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},ላይ ክፍያ በመጠየቅ ላይ {0} {1} መጠን ለ {2} diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv index 0b2dea4733..45793e4c2d 100644 --- a/erpnext/translations/ar.csv +++ b/erpnext/translations/ar.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,قائمة مواد جديدة apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,الإجراءات المقررة apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,عرض نقاط البيع فقط DocType: Supplier Group,Supplier Group Name,اسم مجموعة الموردين +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,علامة الحضور كما DocType: Driver,Driving License Categories,فئات رخصة القيادة apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,الرجاء إدخال تاريخ التسليم DocType: Depreciation Schedule,Make Depreciation Entry,انشئ قيد اهلاك @@ -999,6 +1000,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,حذف معاملات وحركات للشركة DocType: Production Plan Item,Quantity and Description,الكمية والوصف apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,رقم المرجع و تاريخ المرجع إلزامي للمعاملة المصرفية +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,يرجى تعيين سلسلة التسمية لـ {0} عبر الإعداد> الإعدادات> سلسلة التسمية DocType: Purchase Receipt,Add / Edit Taxes and Charges,إضافة / تعديل الضرائب والرسوم DocType: Payment Entry Reference,Supplier Invoice No,رقم فاتورة المورد DocType: Territory,For reference,للرجوع إليها @@ -4240,6 +4242,8 @@ DocType: Homepage,Homepage,الصفحة الرئيسية DocType: Grant Application,Grant Application Details ,تفاصيل طلب المنح DocType: Employee Separation,Employee Separation,فصل الموظف DocType: BOM Item,Original Item,البند الأصلي +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","يرجى حذف الموظف {0} \ لإلغاء هذا المستند" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,وثيقة التاريخ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},سجلات الرسوم تم انشاؤها - {0} DocType: Asset Category Account,Asset Category Account,حساب فئة الأصول @@ -5269,6 +5273,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,تكلفة ا apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",وضع الأحداث إلى {0}، لأن الموظف المرفقة أدناه الأشخاص المبيعات لايوجد هوية المستخدم {1} DocType: Timesheet,Billing Details,تفاصيل الفاتورة apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ويجب أن تكون مصدر ومستودع الهدف مختلفة +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,يرجى إعداد نظام تسمية الموظف في الموارد البشرية> إعدادات الموارد البشرية apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,عملية الدفع فشلت. يرجى التحقق من حسابك في GoCardless لمزيد من التفاصيل apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},لا يسمح لتحديث المعاملات المخزنية أقدم من {0} DocType: Stock Entry,Inspection Required,التفتيش مطلوب @@ -5502,6 +5507,7 @@ DocType: Bank Account,IBAN,رقم الحساب البنكي apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,قائمة المواد الحالية و قائمة المواد الجديد لا يمكن أن تكون نفس بعضهما apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,هوية كشف الراتب apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,تاريخ التقاعد يجب أن يكون بعد تاريخ الالتحاق بالعمل +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,مورد> نوع المورد apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,متغيرات متعددة DocType: Sales Invoice,Against Income Account,مقابل حساب الدخل apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}٪ تم التسليم @@ -6331,6 +6337,7 @@ DocType: Program Enrollment,Institute's Bus,حافلة المعهد DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,الدور الوظيفي يسمح له بتجميد الحسابات و تعديل القيود المجمدة DocType: Supplier Scorecard Scoring Variable,Path,مسار apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,لا يمكن تحويل مركز التكلفة إلى حساب دفتر الأستاذ لانه مرتبط بعقدة فرعية +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},معامل تحويل UOM ({0} -> {1}) غير موجود للعنصر: {2} DocType: Production Plan,Total Planned Qty,مجموع الكمية المخطط لها apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,المعاملات استرجعت بالفعل من البيان apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,القيمة الافتتاحية @@ -6553,6 +6560,7 @@ DocType: Lab Test,Result Date,تاريخ النتيجة DocType: Purchase Order,To Receive,للأستلام DocType: Leave Period,Holiday List for Optional Leave,قائمة العطلة للإجازة الاختيارية DocType: Item Tax Template,Tax Rates,معدلات الضريبة +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,كود الصنف> مجموعة الصنف> العلامة التجارية DocType: Asset,Asset Owner,مالك الأصول DocType: Item,Website Content,محتوى الموقع DocType: Bank Account,Integration ID,معرف التكامل @@ -6679,6 +6687,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,تكلفة إضافية apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",لا يمكن الفلتره علي اساس (رقم الأيصال)، إذا تم وضعه في مجموعة على اساس (ايصال) DocType: Quality Inspection,Incoming,الوارد +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عبر الإعداد> سلسلة الترقيم apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,تم إنشاء قوالب الضرائب الافتراضية للمبيعات والمشتريات. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,سجل نتيجة التقييم {0} موجود بالفعل. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",مثال: ABCD. #####. إذا تم ضبط المسلسل ولم يتم ذكر رقم الدفعة في المعاملات ، فسيتم إنشاء رقم الدفعة تلقائيًا استنادًا إلى هذه السلسلة. إذا كنت تريد دائمًا الإشارة صراحة إلى Batch No لهذا العنصر ، فاترك هذا فارغًا. ملاحظة: سيأخذ هذا الإعداد الأولوية على بادئة Naming Series في إعدادات المخزون. @@ -7022,6 +7031,7 @@ DocType: Journal Entry,Write Off Entry,شطب الدخول DocType: BOM,Rate Of Materials Based On,سعرالمواد استنادا على DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",إذا تم تمكينه ، فسيكون الحقل الدراسي الأكاديمي إلزاميًا في أداة انتساب البرنامج. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",قيم الإمدادات المعفاة وغير المصنفة وغير الداخلة في ضريبة السلع والخدمات +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,العملاء> مجموعة العملاء> الإقليم apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,الشركة هي مرشح إلزامي. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,الغاء أختيار الكل DocType: Purchase Taxes and Charges,On Item Quantity,على كمية البند @@ -7067,6 +7077,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,انضم apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,نقص الكمية DocType: Purchase Invoice,Input Service Distributor,موزع خدمة الإدخال apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,متغير الصنف {0} موجود بنفس الخاصية +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,يرجى إعداد نظام تسمية المدرب في التعليم> إعدادات التعليم DocType: Loan,Repay from Salary,سداد من الراتب DocType: Exotel Settings,API Token,رمز واجهة برمجة التطبيقات apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},طلب الدفعة مقابل {0} {1} لقيمة {2} diff --git a/erpnext/translations/bg.csv b/erpnext/translations/bg.csv index ba1a9d04af..860b6e42d7 100644 --- a/erpnext/translations/bg.csv +++ b/erpnext/translations/bg.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,Нова спецификация на мате apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Предписани процедури apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Показване само на POS DocType: Supplier Group,Supplier Group Name,Име на групата доставчици +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Отбележете присъствието като DocType: Driver,Driving License Categories,Категории лицензионни шофьори apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Моля, въведете дата на доставка" DocType: Depreciation Schedule,Make Depreciation Entry,Направи запис за амортизация @@ -999,6 +1000,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Изтриване на транзакциите на фирма DocType: Production Plan Item,Quantity and Description,Количество и описание apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Референтен Не и Референтен Дата е задължително за Bank сделка +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Моля, задайте Именуване на серия за {0} чрез Настройка> Настройки> Наименуване на серия" DocType: Purchase Receipt,Add / Edit Taxes and Charges,Добавяне / Редактиране на данъци и такси DocType: Payment Entry Reference,Supplier Invoice No,Доставчик - Фактура номер DocType: Territory,For reference,За референция @@ -4199,6 +4201,8 @@ DocType: Homepage,Homepage,Начална страница DocType: Grant Application,Grant Application Details ,Подробности за кандидатстването DocType: Employee Separation,Employee Separation,Отделяне на служители DocType: BOM Item,Original Item,Оригинален елемент +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Моля, изтрийте Служителя {0} \, за да отмените този документ" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Дата на документа apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Такса - записи създадени - {0} DocType: Asset Category Account,Asset Category Account,Дълготраен актив Категория сметка @@ -5216,6 +5220,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Разход apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Създаване на събитията в {0}, тъй като Работника прикрепен към по-долу, купува Лицата не разполага с потребителско име {1}" DocType: Timesheet,Billing Details,Детайли за фактура apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Източник и целеви склад трябва да бъде различен +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Моля, настройте системата за именуване на служители в Човешки ресурси> Настройки за човешки ресурси" apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Плащането не бе успешно. Моля, проверете профила си в GoCardless за повече подробности" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Не е позволено да се актуализира борсови сделки по-стари от {0} DocType: Stock Entry,Inspection Required,"Инспекция, изискван" @@ -5449,6 +5454,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Текущ BOM и нов BOM не могат да бъдат едни и същи apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Фиш за заплата ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Дата на пенсиониране трябва да е по-голяма от Дата на Присъединяване +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Доставчик> Тип доставчик apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Няколко варианта DocType: Sales Invoice,Against Income Account,Срещу Приходна Сметка apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Доставени @@ -6278,6 +6284,7 @@ DocType: Program Enrollment,Institute's Bus,Автобус на Институт DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Роля позволено да определят замразени сметки & Редактиране на замразени влизания DocType: Supplier Scorecard Scoring Variable,Path,път apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Не може да конвертирате Cost Center да Леджър, тъй като има дете възли" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Коефициент на конверсия на UOM ({0} -> {1}) не е намерен за елемент: {2} DocType: Production Plan,Total Planned Qty,Общ планиран брой apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,"Транзакции, които вече са изтеглени от извлечението" apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Наличност - Стойност @@ -6500,6 +6507,7 @@ DocType: Lab Test,Result Date,Дата на резултата DocType: Purchase Order,To Receive,Да получавам DocType: Leave Period,Holiday List for Optional Leave,Почивен списък за незадължителен отпуск DocType: Item Tax Template,Tax Rates,Данъчни ставки +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на артикула> Група артикули> Марка DocType: Asset,Asset Owner,Собственик на актив DocType: Item,Website Content,Съдържание на уебсайтове DocType: Bank Account,Integration ID,Интеграционен идентификатор @@ -6625,6 +6633,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Допълнителен разход apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Не може да се филтрира по Ваучер Не, ако е групирано по ваучер" DocType: Quality Inspection,Incoming,Входящ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Моля, настройте номерацията на сериите за присъствие чрез настройка> серия от номерация" apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Създават се стандартни данъчни шаблони за продажби и покупки. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Отчет за резултата от оценката {0} вече съществува. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Пример: ABCD. #####. Ако е зададена серия и партида № не е посочена в транзакциите, тогава автоматично се създава номера на партидата въз основа на тази серия. Ако винаги искате да посочите изрично партида № за този елемент, оставете го празно. Забележка: тази настройка ще има приоритет пред Prefix на серията за наименоване в Настройки на запасите." @@ -6966,6 +6975,7 @@ DocType: Journal Entry,Write Off Entry,Въвеждане на отписван DocType: BOM,Rate Of Materials Based On,Курсове на материали на основата на DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ако е активирано, полето Академичен термин ще бъде задължително в програмата за записване на програми." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Стойности на освободени, нулеви стойности и вътрешни доставки без GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Клиентска група> Територия apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Фирмата е задължителен филтър. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Махнете отметката от всичко DocType: Purchase Taxes and Charges,On Item Quantity,На брой @@ -7010,6 +7020,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Присъедин apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Недостиг Количество DocType: Purchase Invoice,Input Service Distributor,Дистрибутор на входната услуга apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Съществува т вариант {0} със същите атрибути +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Моля, настройте системата за именуване на инструктори в Образование> Настройки за образование" DocType: Loan,Repay from Salary,Погасяване от Заплата DocType: Exotel Settings,API Token,API Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Искане за плащане срещу {0} {1} за количество {2} diff --git a/erpnext/translations/bn.csv b/erpnext/translations/bn.csv index 37c0a283c0..4bb9c26648 100644 --- a/erpnext/translations/bn.csv +++ b/erpnext/translations/bn.csv @@ -386,6 +386,7 @@ DocType: BOM Update Tool,New BOM,নতুন BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,নির্ধারিত পদ্ধতি apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,শুধুমাত্র পিওএস দেখান DocType: Supplier Group,Supplier Group Name,সরবরাহকারী গ্রুপ নাম +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,হিসাবে উপস্থিতি চিহ্নিত করুন DocType: Driver,Driving License Categories,ড্রাইভিং লাইসেন্স বিভাগ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,ডেলিভারি তারিখ লিখুন দয়া করে DocType: Depreciation Schedule,Make Depreciation Entry,অবচয় এণ্ট্রি করুন @@ -4126,6 +4127,8 @@ DocType: Homepage,Homepage,হোম পেজ DocType: Grant Application,Grant Application Details ,আবেদনপত্র জমা দিন DocType: Employee Separation,Employee Separation,কর্মচারী বিচ্ছেদ DocType: BOM Item,Original Item,মৌলিক আইটেম +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","এই নথিটি বাতিল করতে দয়া করে কর্মচারী {0} delete মুছুন" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ডক তারিখ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ফি রেকর্ডস নির্মিত - {0} DocType: Asset Category Account,Asset Category Account,অ্যাসেট শ্রেণী অ্যাকাউন্ট @@ -5131,6 +5134,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,বিভি apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","জন্য ইভেন্ট নির্ধারণ {0}, যেহেতু কর্মচারী সেলস ব্যক্তি নিচে সংযুক্ত একটি ইউজার আইডি নেই {1}" DocType: Timesheet,Billing Details,পূর্ণ রূপ প্রকাশ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,উত্স এবং লক্ষ্য গুদাম আলাদা হতে হবে +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,মানব সম্পদ> এইচআর সেটিংসে কর্মচারী নামকরণ সিস্টেম সেটআপ করুন apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,পেমেন্ট ব্যর্থ হয়েছে. আরো তথ্যের জন্য আপনার GoCardless অ্যাকাউন্ট চেক করুন apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},বেশী না পুরোনো স্টক লেনদেন হালনাগাদ করার অনুমতি {0} DocType: Stock Entry,Inspection Required,ইন্সপেকশন প্রয়োজনীয় @@ -5360,6 +5364,7 @@ DocType: Bank Account,IBAN,IBAN রয়েছে apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,বর্তমান BOM এবং নতুন BOM একই হতে পারে না apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,বেতন স্লিপ আইডি apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,অবসর তারিখ যোগদান তারিখ থেকে বড় হওয়া উচিত +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,সরবরাহকারী> সরবরাহকারী প্রকার apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,একাধিক বৈকল্পিক DocType: Sales Invoice,Against Income Account,আয় অ্যাকাউন্টের বিরুদ্ধে apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% বিতরণ করা হয়েছে @@ -6178,6 +6183,7 @@ DocType: Program Enrollment,Institute's Bus,ইনস্টিটিউটের DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ভূমিকা হিমায়িত একাউন্টস ও সম্পাদনা হিমায়িত সাজপোশাকটি সেট করার মঞ্জুরি DocType: Supplier Scorecard Scoring Variable,Path,পথ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,এটা সন্তানের নোড আছে খতিয়ান করার খরচ কেন্দ্র রূপান্তর করতে পারবেন না +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ইউওএম রূপান্তর ফ্যাক্টর ({0} -> {1}) আইটেমটির জন্য পাওয়া যায় নি: {2} DocType: Production Plan,Total Planned Qty,মোট পরিকল্পিত পরিমাণ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ইতিমধ্যে বিবৃতি থেকে লেনদেন প্রত্যাহার করা হয়েছে apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,খোলা মূল্য @@ -6396,6 +6402,7 @@ DocType: Lab Test,Result Date,ফলাফল তারিখ DocType: Purchase Order,To Receive,গ্রহণ করতে DocType: Leave Period,Holiday List for Optional Leave,ঐচ্ছিক তালিকার জন্য হলিডে তালিকা DocType: Item Tax Template,Tax Rates,করের হার +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,আইটেম কোড> আইটেম গ্রুপ> ব্র্যান্ড DocType: Asset,Asset Owner,সম্পদ মালিক DocType: Item,Website Content,ওয়েবসাইট সামগ্রী DocType: Bank Account,Integration ID,ইন্টিগ্রেশন আইডি @@ -6518,6 +6525,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,অতিরিক্ত খরচ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","ভাউচার কোন উপর ভিত্তি করে ফিল্টার করতে পারবে না, ভাউচার দ্বারা গ্রুপকৃত যদি" DocType: Quality Inspection,Incoming,ইনকামিং +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,দয়া করে সেটআপ> নম্বরিং সিরিজের মাধ্যমে উপস্থিতির জন্য সংখ্যায়ন সিরিজটি সেট করুন apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,বিক্রয় এবং ক্রয় জন্য ডিফল্ট ট্যাক্স টেমপ্লেট তৈরি করা হয়। apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,মূল্যায়ন ফলাফল রেকর্ড {0} ইতিমধ্যে বিদ্যমান। DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","উদাহরণ: ABCD। ##### যদি সিরিজ সেট করা থাকে এবং ব্যাচ নাম লেনদেনের ক্ষেত্রে উল্লেখ করা হয় না, তাহলে এই সিরিজের উপর ভিত্তি করে স্বয়ংক্রিয় ব্যাচ নম্বর তৈরি করা হবে। আপনি যদি সবসময় এই আইটেমটির জন্য ব্যাচ নংকে স্পষ্টভাবে উল্লেখ করতে চান, তবে এই ফাঁকা স্থানটি ছেড়ে দিন। দ্রষ্টব্য: এই সেটিং স্টক সেটিংসের নামকরণ সিরিজ প্রিফিক্সের উপর অগ্রাধিকার পাবে।" @@ -6854,6 +6862,7 @@ DocType: Journal Entry,Write Off Entry,এন্ট্রি বন্ধ লি DocType: BOM,Rate Of Materials Based On,হার উপকরণ ভিত্তি করে DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","যদি সক্রিয় থাকে, তাহলে প্রোগ্রাম এনরোলমেন্ট টুল এ ক্ষেত্রটি একাডেমিক টার্ম বাধ্যতামূলক হবে।" apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","অব্যাহতি, শূন্য রেটযুক্ত এবং জিএসটি অ অভ্যন্তরীণ সরবরাহের মান supplies" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,গ্রাহক> গ্রাহক গোষ্ঠী> অঞ্চল apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,সংস্থা একটি বাধ্যতামূলক ফিল্টার। apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,সব অচিহ্নিত DocType: Purchase Taxes and Charges,On Item Quantity,আইটেম পরিমাণে @@ -6898,6 +6907,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,যোগদান apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,ঘাটতি Qty DocType: Purchase Invoice,Input Service Distributor,ইনপুট পরিষেবা বিতরণকারী apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,আইটেম বৈকল্পিক {0} একই বৈশিষ্ট্যাবলী সঙ্গে বিদ্যমান +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,অনুগ্রহ করে শিক্ষা> শিক্ষা সেটিংসে প্রশিক্ষক নামকরণ সিস্টেম সেটআপ করুন DocType: Loan,Repay from Salary,বেতন থেকে শুধা DocType: Exotel Settings,API Token,এপিআই টোকেন apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},বিরুদ্ধে পেমেন্ট অনুরোধ {0} {1} পরিমাণ জন্য {2} diff --git a/erpnext/translations/bs.csv b/erpnext/translations/bs.csv index f1d080a650..d25c785966 100644 --- a/erpnext/translations/bs.csv +++ b/erpnext/translations/bs.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,Novi BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Propisane procedure apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Prikaži samo POS DocType: Supplier Group,Supplier Group Name,Ime grupe dobavljača +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Označi prisustvo kao DocType: Driver,Driving License Categories,Vozačke dozvole Kategorije apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Molimo unesite datum isporuke DocType: Depreciation Schedule,Make Depreciation Entry,Make Amortizacija Entry @@ -999,6 +1000,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Izbrišite Company Transakcije DocType: Production Plan Item,Quantity and Description,Količina i opis apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Poziv na broj i referentni datum je obavezan za transakcije banke +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Molimo postavite Naming Series za {0} putem Podešavanje> Podešavanja> Imenovanje serije DocType: Purchase Receipt,Add / Edit Taxes and Charges,Dodaj / uredi poreze i troškove DocType: Payment Entry Reference,Supplier Invoice No,Dobavljač Račun br DocType: Territory,For reference,Za referencu @@ -4238,6 +4240,8 @@ DocType: Homepage,Homepage,homepage DocType: Grant Application,Grant Application Details ,Grant Application Details DocType: Employee Separation,Employee Separation,Separacija zaposlenih DocType: BOM Item,Original Item,Original Item +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Izbrišite zaposlenika {0} \ da biste otkazali ovaj dokument" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Naknada Records Kreirano - {0} DocType: Asset Category Account,Asset Category Account,Asset Kategorija računa @@ -5267,6 +5271,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Troškova raz apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Postavljanje Događanja u {0}, jer zaposleni u prilogu ispod prodaje osoba nema korisniku ID {1}" DocType: Timesheet,Billing Details,Billing Detalji apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Izvor i meta skladište mora biti drugačiji +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sistem imenovanja zaposlenika u ljudskim resursima> HR postavke apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Plaćanje nije uspelo. Molimo provjerite svoj GoCardless račun za više detalja apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nije dopušteno osvježavanje burzovnih transakcija stariji od {0} DocType: Stock Entry,Inspection Required,Inspekcija Obvezno @@ -5500,6 +5505,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Trenutni troškovnik i novi troškovnik ne mogu biti isti apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Plaća Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Datum umirovljenja mora biti veći od datuma pristupa +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> vrsta dobavljača apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Višestruke varijante DocType: Sales Invoice,Against Income Account,Protiv računu dohotka apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Isporučeno @@ -6329,6 +6335,7 @@ DocType: Program Enrollment,Institute's Bus,Institutski autobus DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Uloga Dozvoljena Set Frozen Accounts & Frozen Edit unosi DocType: Supplier Scorecard Scoring Variable,Path,Put apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Ne može se pretvoriti troška za knjigu , kao da ima djece čvorova" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverzije UOM ({0} -> {1}) nije pronađen za stavku: {2} DocType: Production Plan,Total Planned Qty,Ukupna planirana količina apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transakcije su već povučene iz izjave apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,otvaranje vrijednost @@ -6551,6 +6558,7 @@ DocType: Lab Test,Result Date,Datum rezultata DocType: Purchase Order,To Receive,Da Primite DocType: Leave Period,Holiday List for Optional Leave,List za odmor za opcioni odlazak DocType: Item Tax Template,Tax Rates,Porezne stope +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod artikla> Grupa artikala> Marka DocType: Asset,Asset Owner,Vlasnik imovine DocType: Item,Website Content,Sadržaj web stranice DocType: Bank Account,Integration ID,ID integracije @@ -6677,6 +6685,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Dodatni trošak apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Ne možete filtrirati na temelju vaučer No , ako grupirani po vaučer" DocType: Quality Inspection,Incoming,Dolazni +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Molimo podesite seriju brojeva za Attendance putem Podešavanje> Serija numeriranja apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Osnovani porezni predlošci za prodaju i kupovinu su stvoreni. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Evidencija Rezultat zapisa {0} već postoji. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Primer: ABCD. #####. Ako je serija postavljena i Batch No se ne pominje u transakcijama, na osnovu ove serije će se kreirati automatski broj serije. Ako uvek želite da eksplicitno navedete Batch No za ovu stavku, ostavite ovo praznim. Napomena: ovo podešavanje će imati prioritet nad Prefiksom naziva serije u postavkama zaliha." @@ -7018,6 +7027,7 @@ DocType: Journal Entry,Write Off Entry,Napišite Off Entry DocType: BOM,Rate Of Materials Based On,Stopa materijali na temelju DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ako je omogućeno, polje Akademski termin će biti obavezno u alatu za upisivanje programa." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Vrijednosti izuzetih, nulta ocjenjivanja i ulaznih zaliha koje nisu GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> grupa kupaca> teritorija apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Kompanija je obavezan filter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Poništi sve DocType: Purchase Taxes and Charges,On Item Quantity,Na Količina predmeta @@ -7062,6 +7072,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,pristupiti apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Nedostatak Qty DocType: Purchase Invoice,Input Service Distributor,Distributer ulaznih usluga apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Stavka varijanta {0} postoji sa istim atributima +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Postavite sistem imenovanja instruktora u Obrazovanje> Postavke obrazovanja DocType: Loan,Repay from Salary,Otplatiti iz Plata DocType: Exotel Settings,API Token,API Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Tražeći isplatu protiv {0} {1} za iznos {2} diff --git a/erpnext/translations/ca.csv b/erpnext/translations/ca.csv index f77d3edb68..f9095d51e7 100644 --- a/erpnext/translations/ca.csv +++ b/erpnext/translations/ca.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,Nova llista de materials apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procediments prescrits apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Mostra només TPV DocType: Supplier Group,Supplier Group Name,Nom del grup del proveïdor +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Marcar l'assistència com DocType: Driver,Driving License Categories,Categories de llicències de conducció apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Introduïu la data de lliurament DocType: Depreciation Schedule,Make Depreciation Entry,Fer l'entrada de Depreciació @@ -999,6 +1000,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Eliminar Transaccions Empresa DocType: Production Plan Item,Quantity and Description,Quantitat i descripció apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,No de referència i data de referència és obligatòria per a les transaccions bancàries +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configureu Naming Series per a {0} mitjançant Configuració> Configuració> Sèries de nom DocType: Purchase Receipt,Add / Edit Taxes and Charges,Afegeix / Edita les taxes i càrrecs DocType: Payment Entry Reference,Supplier Invoice No,Número de Factura de Proveïdor DocType: Territory,For reference,Per referència @@ -4240,6 +4242,8 @@ DocType: Homepage,Homepage,pàgina principal DocType: Grant Application,Grant Application Details ,Concediu els detalls de la sol·licitud DocType: Employee Separation,Employee Separation,Separació d'empleats DocType: BOM Item,Original Item,Article original +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Elimineu l'empleat {0} \ per cancel·lar aquest document" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Data de doc apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Els registres d'honoraris creats - {0} DocType: Asset Category Account,Asset Category Account,Compte categoria d'actius @@ -5269,6 +5273,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Cost de diver apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Configura els esdeveniments a {0}, ja que l'empleat que estigui connectat a la continuació venedors no té un ID d'usuari {1}" DocType: Timesheet,Billing Details,Detalls de facturació apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Origen i destí de dipòsit han de ser diferents +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configureu el sistema de nominació dels empleats a Recursos humans> Configuració de recursos humans apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"El pagament ha fallat. Si us plau, consulteu el vostre compte GoCardless per obtenir més detalls" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},No es permet actualitzar les transaccions de valors més grans de {0} DocType: Stock Entry,Inspection Required,Inspecció requerida @@ -5502,6 +5507,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,El BOM actual i el nou no poden ser el mateix apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Salari Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Data de la jubilació ha de ser major que la data del contracte +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveïdor> Tipus de proveïdor apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Variants múltiples DocType: Sales Invoice,Against Income Account,Contra el Compte d'Ingressos apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Lliurat @@ -6332,6 +6338,7 @@ DocType: Program Enrollment,Institute's Bus,Bus de l'Institut DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Paper deixa forjar congelats Comptes i editar les entrades congelades DocType: Supplier Scorecard Scoring Variable,Path,Camí apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"No es pot convertir de centres de cost per al llibre major, ja que té nodes secundaris" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Factor de conversió UOM ({0} -> {1}) no trobat per a l'element: {2} DocType: Production Plan,Total Planned Qty,Total de quantitats planificades apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Les transaccions ja s'han recuperat de l'estat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valor d'obertura @@ -6554,6 +6561,7 @@ DocType: Lab Test,Result Date,Data de resultats DocType: Purchase Order,To Receive,Rebre DocType: Leave Period,Holiday List for Optional Leave,Llista de vacances per a la licitació opcional DocType: Item Tax Template,Tax Rates,Tipus d’impostos +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codi de l'article> Grup d'elements> Marca DocType: Asset,Asset Owner,Propietari d'actius DocType: Item,Website Content,Contingut del lloc web DocType: Bank Account,Integration ID,ID d'integració @@ -6680,6 +6688,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Cost addicional apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Can not filter based on Voucher No, if grouped by Voucher" DocType: Quality Inspection,Incoming,Entrant +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configureu les sèries de numeració per assistència mitjançant Configuració> Sèries de numeració apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Es creen plantilles d'impostos predeterminades per a vendes i compra. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,El registre del resultat de l'avaluació {0} ja existeix. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Exemple: ABCD. #####. Si s'estableix la sèrie i el lot no es menciona en les transaccions, es crearà un nombre automàtic de lot en funció d'aquesta sèrie. Si sempre voleu esmentar explícitament No per a aquest element, deixeu-lo en blanc. Nota: aquesta configuració tindrà prioritat sobre el Prefix de la sèrie de noms a la configuració de valors." @@ -7021,6 +7030,7 @@ DocType: Journal Entry,Write Off Entry,Escriu Off Entrada DocType: BOM,Rate Of Materials Based On,Tarifa de materials basats en DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Si està habilitat, el camp acadèmic de camp serà obligatori en l'eina d'inscripció del programa." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Valors dels subministraments interns exempts, no classificats i no GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clients> Territori apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,L’empresa és un filtre obligatori. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,desactivar tot DocType: Purchase Taxes and Charges,On Item Quantity,Quantitat de l'article @@ -7065,6 +7075,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,unir-se apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Quantitat escassetat DocType: Purchase Invoice,Input Service Distributor,Distribuïdor de servei d’entrada apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Hi ha la variant d'article {0} amb mateixos atributs +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configureu un sistema de nom de l’Instructor a Educació> Configuració d’educació DocType: Loan,Repay from Salary,Pagar del seu sou DocType: Exotel Settings,API Token,Títol API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Sol·licitant el pagament contra {0} {1} per la quantitat {2} diff --git a/erpnext/translations/cs.csv b/erpnext/translations/cs.csv index cbd8bda0a4..30f2b4c3e3 100644 --- a/erpnext/translations/cs.csv +++ b/erpnext/translations/cs.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,Nový BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Předepsané postupy apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Zobrazit pouze POS DocType: Supplier Group,Supplier Group Name,Název skupiny dodavatelů +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Označit účast jako DocType: Driver,Driving License Categories,Kategorie řidičských oprávnění apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Zadejte prosím datum doručení DocType: Depreciation Schedule,Make Depreciation Entry,Udělat Odpisy Entry @@ -999,6 +1000,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Smazat transakcí Company DocType: Production Plan Item,Quantity and Description,Množství a popis apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referenční číslo a referenční datum je povinný pro bankovní transakce +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte Naming Series pro {0} prostřednictvím Setup> Settings> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Přidat / Upravit daní a poplatků DocType: Payment Entry Reference,Supplier Invoice No,Dodavatelské faktury č DocType: Territory,For reference,Pro srovnání @@ -4240,6 +4242,8 @@ DocType: Homepage,Homepage,Domovská stránka DocType: Grant Application,Grant Application Details ,Podrobnosti o žádosti o grant DocType: Employee Separation,Employee Separation,Separace zaměstnanců DocType: BOM Item,Original Item,Původní položka +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Chcete-li tento dokument zrušit, prosím odstraňte zaměstnance {0} \" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Datum dokumentu apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Vytvořil - {0} DocType: Asset Category Account,Asset Category Account,Asset Kategorie Account @@ -5269,6 +5273,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Náklady na r apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Nastavení událostí do {0}, protože zaměstnanec připojena k níže prodejcům nemá ID uživatele {1}" DocType: Timesheet,Billing Details,fakturační údaje apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Zdrojové a cílové sklad se musí lišit +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Nastavte prosím systém názvů zaměstnanců v části Lidské zdroje> Nastavení lidských zdrojů apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Platba selhala. Zkontrolujte svůj účet GoCardless pro více informací apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Není dovoleno měnit obchodů s akciemi starší než {0} DocType: Stock Entry,Inspection Required,Kontrola Povinné @@ -5501,6 +5506,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Aktuální BOM a nový BOM nemůže být stejný apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Plat Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,"Datum odchodu do důchodu, musí být větší než Datum spojování" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodavatel> Typ dodavatele apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Více variant DocType: Sales Invoice,Against Income Account,Proti účet příjmů apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% dodáno @@ -6330,6 +6336,7 @@ DocType: Program Enrollment,Institute's Bus,Autobus ústavu DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Role povoleno nastavit zmrazené účty a upravit Mražené Příspěvky DocType: Supplier Scorecard Scoring Variable,Path,Cesta apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Nelze převést nákladového střediska na knihy, protože má podřízené uzly" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverzní faktor ({0} -> {1}) nebyl nalezen pro položku: {2} DocType: Production Plan,Total Planned Qty,Celkový plánovaný počet apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transakce již byly z výkazu odebrány apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,otevření Value @@ -6552,6 +6559,7 @@ DocType: Lab Test,Result Date,Datum výsledku DocType: Purchase Order,To Receive,Obdržet DocType: Leave Period,Holiday List for Optional Leave,Dovolená seznam pro nepovinné dovolené DocType: Item Tax Template,Tax Rates,Daňová sazba +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položek> Značka DocType: Asset,Asset Owner,Majitel majetku DocType: Item,Website Content,Obsah webových stránek DocType: Bank Account,Integration ID,ID integrace @@ -6678,6 +6686,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Dodatečné náklady apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nelze filtrovat na základě poukazu ne, pokud seskupeny podle poukazu" DocType: Quality Inspection,Incoming,Přicházející +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavte číslovací řady pro Docházku prostřednictvím Nastavení> Číslovací řady apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Výchozí daňové šablony pro prodej a nákup jsou vytvořeny. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Výsledky hodnocení {0} již existuje. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Příklad: ABCD. #####. Je-li nastavena řada a v transakcích není uvedena šarže, pak se na základě této série vytvoří automatické číslo šarže. Pokud chcete výslovně uvést číslo dávky pro tuto položku, ponechte prázdné místo. Poznámka: Toto nastavení bude mít přednost před předčíslí série Naming v nastavení akcí." @@ -7019,6 +7028,7 @@ DocType: Journal Entry,Write Off Entry,Odepsat Vstup DocType: BOM,Rate Of Materials Based On,Ocenění materiálů na bázi DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Je-li zapnuto, pole Akademický termín bude povinné v nástroji pro zápis programu." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Hodnoty osvobozených, nulových a nemateriálních vstupních dodávek" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníků> Území apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Společnost je povinný filtr. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Zrušte všechny DocType: Purchase Taxes and Charges,On Item Quantity,Množství položky @@ -7063,6 +7073,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Připojit apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Nedostatek Množství DocType: Purchase Invoice,Input Service Distributor,Distributor vstupních služeb apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Bod varianta {0} existuje s stejné atributy +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavte prosím Pojmenovací systém instruktorů v sekci Vzdělávání> Nastavení vzdělávání DocType: Loan,Repay from Salary,Splatit z platu DocType: Exotel Settings,API Token,API Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Požadovala vyplacení proti {0} {1} na částku {2} diff --git a/erpnext/translations/da.csv b/erpnext/translations/da.csv index e50b98e85d..fa1902c3e6 100644 --- a/erpnext/translations/da.csv +++ b/erpnext/translations/da.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,Ny stykliste apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Foreskrevne procedurer apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Vis kun POS DocType: Supplier Group,Supplier Group Name,Leverandørgruppens navn +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Markér deltagelse som DocType: Driver,Driving License Categories,Kørekortskategorier apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Indtast venligst Leveringsdato DocType: Depreciation Schedule,Make Depreciation Entry,Foretag Afskrivninger indtastning @@ -999,6 +1000,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Slet Company Transaktioner DocType: Production Plan Item,Quantity and Description,Mængde og beskrivelse apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referencenummer og reference Dato er obligatorisk for Bank transaktion +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Angiv Naming Series for {0} via Setup> Settings> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Tilføj / rediger Skatter og Afgifter DocType: Payment Entry Reference,Supplier Invoice No,Leverandør fakturanr. DocType: Territory,For reference,For reference @@ -4199,6 +4201,8 @@ DocType: Homepage,Homepage,Hjemmeside DocType: Grant Application,Grant Application Details ,Giv ansøgningsoplysninger DocType: Employee Separation,Employee Separation,Medarbejder adskillelse DocType: BOM Item,Original Item,Originalelement +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Slet medarbejderen {0} \ for at annullere dette dokument" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dok Dato apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Oprettet - {0} DocType: Asset Category Account,Asset Category Account,Aktiver kategori konto @@ -5216,6 +5220,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Omkostninger apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Sætter begivenheder til {0}, da den til medarbejderen tilknyttede salgsmedarbejder {1} ikke har et brugernavn" DocType: Timesheet,Billing Details,Faktureringsoplysninger apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Kilde og mål lager skal være forskellige +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Indstil venligst medarbejdernavningssystem i menneskelig ressource> HR-indstillinger apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Betaling mislykkedes. Tjek venligst din GoCardless-konto for flere detaljer apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ikke tilladt at opdatere lagertransaktioner ældre end {0} DocType: Stock Entry,Inspection Required,Inspection Nødvendig @@ -5449,6 +5454,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Nuværende stykliste og ny stykliste må ikke være ens apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Lønseddel id apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Pensioneringsdato skal være større end ansættelsesdato +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandørtype apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Flere varianter DocType: Sales Invoice,Against Income Account,Imod Indkomst konto apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Leveret @@ -6279,6 +6285,7 @@ DocType: Program Enrollment,Institute's Bus,Instituttets bus DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rolle Tilladt til Indstil Frosne Konti og Rediger Frosne Entries DocType: Supplier Scorecard Scoring Variable,Path,Sti apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Kan ikke konvertere Cost Center til hovedbog, som det har barneknudepunkter" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-konverteringsfaktor ({0} -> {1}) ikke fundet for varen: {2} DocType: Production Plan,Total Planned Qty,Samlet planlagt antal apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transaktioner er allerede gengivet tilbage fra erklæringen apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,åbning Value @@ -6501,6 +6508,7 @@ DocType: Lab Test,Result Date,Resultatdato DocType: Purchase Order,To Receive,At Modtage DocType: Leave Period,Holiday List for Optional Leave,Ferieliste for valgfri ferie DocType: Item Tax Template,Tax Rates,Skattesatser +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varekode> Varegruppe> Mærke DocType: Asset,Asset Owner,Aktiv ejer DocType: Item,Website Content,Indhold på webstedet DocType: Bank Account,Integration ID,Integrations-ID @@ -6626,6 +6634,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Yderligere omkostning apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",Kan ikke filtrere baseret på bilagsnr. hvis der sorteres efter Bilagstype DocType: Quality Inspection,Incoming,Indgående +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Indstil nummerserier til deltagelse via Opsætning> Nummereringsserie apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standard skat skabeloner til salg og køb oprettes. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Vurdering resultatoptegnelsen {0} eksisterer allerede. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Eksempel: ABCD. #####. Hvis serier er indstillet og Batch nr ikke er nævnt i transaktioner, oprettes automatisk batchnummer baseret på denne serie. Hvis du altid vil udtrykkeligt nævne Batch nr for dette emne, skal du lade dette være tomt. Bemærk: Denne indstilling vil have prioritet i forhold til Naming Series Prefix i lagerindstillinger." @@ -6967,6 +6976,7 @@ DocType: Journal Entry,Write Off Entry,Skriv Off indtastning DocType: BOM,Rate Of Materials Based On,Rate Of materialer baseret på DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Hvis aktiveret, vil feltet Akademisk Term være obligatorisk i Programindskrivningsværktøjet." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Værdier for undtagne, ikke-klassificerede og ikke-GST-indgående leverancer" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Virksomheden er et obligatorisk filter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Fravælg alle DocType: Purchase Taxes and Charges,On Item Quantity,Om varemængde @@ -7011,6 +7021,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Tilslutte apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Mangel Antal DocType: Purchase Invoice,Input Service Distributor,Distributør af inputtjenester apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Vare variant {0} eksisterer med samme attributter +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Indstil instruktørens navngivningssystem i uddannelse> Uddannelsesindstillinger DocType: Loan,Repay from Salary,Tilbagebetale fra Løn DocType: Exotel Settings,API Token,API-token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Anmodning betaling mod {0} {1} for beløb {2} diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv index 52d3a290c0..302f443b86 100644 --- a/erpnext/translations/de.csv +++ b/erpnext/translations/de.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,Neue Stückliste apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Vorgeschriebene Verfahren apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Zeige nur POS DocType: Supplier Group,Supplier Group Name,Name der Lieferantengruppe +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Anwesenheit markieren als DocType: Driver,Driving License Categories,Führerscheinklasse apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Bitte geben Sie das Lieferdatum ein DocType: Depreciation Schedule,Make Depreciation Entry,Neuen Abschreibungseintrag erstellen @@ -999,6 +1000,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Löschen der Transaktionen dieses Unternehmens DocType: Production Plan Item,Quantity and Description,Menge und Beschreibung apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referenznummer und Referenzdatum ist obligatorisch für Bankengeschäft +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stellen Sie die Benennungsserie für {0} über Setup> Einstellungen> Benennungsserie ein DocType: Purchase Receipt,Add / Edit Taxes and Charges,Hinzufügen/Bearbeiten von Steuern und Abgaben DocType: Payment Entry Reference,Supplier Invoice No,Lieferantenrechnungsnr. DocType: Territory,For reference,Zu Referenzzwecken @@ -4237,6 +4239,8 @@ DocType: Homepage,Homepage,Webseite DocType: Grant Application,Grant Application Details ,Gewähren Sie Anwendungsdetails DocType: Employee Separation,Employee Separation,Mitarbeitertrennung DocType: BOM Item,Original Item,Originalartikel +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Bitte löschen Sie den Mitarbeiter {0} \, um dieses Dokument zu stornieren" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dokumenten Datum apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Gebühren-Einträge erstellt - {0} DocType: Asset Category Account,Asset Category Account,Anlagekategorie Konto @@ -5266,6 +5270,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Aufwendungen apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Einstellen Events auf {0}, da die Mitarbeiter auf die beigefügten unter Verkaufs Personen keine Benutzer-ID {1}" DocType: Timesheet,Billing Details,Rechnungsdetails apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Quell- und Ziel-Warehouse müssen unterschiedlich sein +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Richten Sie das Employee Naming System unter Human Resource> HR Settings ein apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Bezahlung fehlgeschlagen. Bitte überprüfen Sie Ihr GoCardless Konto für weitere Details apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Aktualisierung von Transaktionen älter als {0} nicht erlaubt DocType: Stock Entry,Inspection Required,Prüfung erforderlich @@ -5499,6 +5504,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Aktuelle Stückliste und neue Stückliste können nicht identisch sein apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Gehaltsabrechnung ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Zeitpunkt der Pensionierung muss nach dem Eintrittsdatum liegen +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Lieferant> Lieferantentyp apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Mehrere Varianten DocType: Sales Invoice,Against Income Account,Zu Ertragskonto apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% geliefert @@ -6328,6 +6334,7 @@ DocType: Program Enrollment,Institute's Bus,Instituts-Bus DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rolle darf Konten sperren und gesperrte Buchungen bearbeiten DocType: Supplier Scorecard Scoring Variable,Path,Pfad apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Kostenstelle kann nicht in ein Kontenblatt umgewandelt werden, da sie Unterknoten hat" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-Umrechnungsfaktor ({0} -> {1}) für Artikel nicht gefunden: {2} DocType: Production Plan,Total Planned Qty,Geplante Gesamtmenge apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,"Transaktionen, die bereits von der Abrechnung erhalten wurden" apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Öffnungswert @@ -6550,6 +6557,7 @@ DocType: Lab Test,Result Date,Ergebnis Datum DocType: Purchase Order,To Receive,Zu empfangen DocType: Leave Period,Holiday List for Optional Leave,Urlaubsliste für optionalen Urlaub DocType: Item Tax Template,Tax Rates,Steuersätze +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgruppe> Marke DocType: Asset,Asset Owner,Eigentümer des Vermögenswertes DocType: Item,Website Content,Websiten Inhalt DocType: Bank Account,Integration ID,Integrations-ID @@ -6675,6 +6683,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Zusätzliche Kosten apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Wenn nach Beleg gruppiert wurde, kann nicht auf Grundlage von Belegen gefiltert werden." DocType: Quality Inspection,Incoming,Eingehend +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Richten Sie die Nummerierungsserie für die Teilnahme über Setup> Nummerierungsserie ein apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standardsteuervorlagen für Verkauf und Einkauf werden erstellt. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Beurteilungsergebnis {0} existiert bereits. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Beispiel: ABCD. #####. Wenn die Serie gesetzt ist und die Chargennummer in den Transaktionen nicht erwähnt wird, wird die automatische Chargennummer basierend auf dieser Serie erstellt. Wenn Sie die Chargennummer für diesen Artikel immer explizit angeben möchten, lassen Sie dieses Feld leer. Hinweis: Diese Einstellung hat Vorrang vor dem Naming Series Prefix in den Stock Settings." @@ -7014,6 +7023,7 @@ DocType: Journal Entry,Write Off Entry,Abschreibungsbuchung DocType: BOM,Rate Of Materials Based On,Anteil der zu Grunde liegenden Materialien DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Falls diese Option aktiviert ist, wird das Feld ""Akademisches Semester"" im Kurs-Registrierungs-Werkzeug obligatorisch sein." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Werte für steuerbefreite, nicht bewertete und Nicht-GST-Lieferungen" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundengruppe> Gebiet apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Unternehmen ist ein Pflichtfilter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Alle abwählen DocType: Purchase Taxes and Charges,On Item Quantity,Auf Artikelmenge @@ -7058,6 +7068,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Beitreten apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Engpassmenge DocType: Purchase Invoice,Input Service Distributor,Input Service Distributor apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Artikelvariante {0} mit denselben Attributen existiert +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Richten Sie das Instructor Naming System unter Education> Education Settings ein DocType: Loan,Repay from Salary,Repay von Gehalts DocType: Exotel Settings,API Token,API-Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Anfordern Zahlung gegen {0} {1} für Menge {2} diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv index 574a94f90f..dc5c37d990 100644 --- a/erpnext/translations/el.csv +++ b/erpnext/translations/el.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,Νέα Λ.Υ. apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Προβλεπόμενες Διαδικασίες apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Εμφάνιση μόνο POS DocType: Supplier Group,Supplier Group Name,Όνομα ομάδας προμηθευτών +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Σημειώστε τη συμμετοχή ως DocType: Driver,Driving License Categories,Κατηγορίες Άδειας οδήγησης apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Εισαγάγετε την ημερομηνία παράδοσης DocType: Depreciation Schedule,Make Depreciation Entry,Κάντε Αποσβέσεις Έναρξη @@ -999,6 +1000,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Διαγραφή Συναλλαγές Εταιρείας DocType: Production Plan Item,Quantity and Description,Ποσότητα και περιγραφή apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Αριθμός αναφοράς και ημερομηνία αναφοράς είναι υποχρεωτική για την Τράπεζα συναλλαγών +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ορίστε την Ονοματοδοσία για {0} μέσω του Setup> Settings> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Προσθήκη / επεξεργασία φόρων και επιβαρύνσεων DocType: Payment Entry Reference,Supplier Invoice No,Αρ. τιμολογίου του προμηθευτή DocType: Territory,For reference,Για αναφορά @@ -4237,6 +4239,8 @@ DocType: Homepage,Homepage,Αρχική σελίδα DocType: Grant Application,Grant Application Details ,Λεπτομέρειες αίτησης επιχορήγησης DocType: Employee Separation,Employee Separation,Διαχωρισμός υπαλλήλων DocType: BOM Item,Original Item,Αρχικό στοιχείο +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Διαγράψτε τον υπάλληλο {0} \ για να ακυρώσετε αυτό το έγγραφο" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Ημερομηνία εγγράφου apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Εγγραφές τέλους Δημιουργήθηκε - {0} DocType: Asset Category Account,Asset Category Account,Asset Κατηγορία Λογαριασμού @@ -5266,6 +5270,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Το κόστ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Ρύθμιση Εκδηλώσεις σε {0}, καθόσον ο εργαζόμενος συνδέεται με την παρακάτω Πωλήσεις Άτομα που δεν έχει ένα όνομα χρήστη {1}" DocType: Timesheet,Billing Details,λεπτομέρειες χρέωσης apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Πηγή και αποθήκη στόχος πρέπει να είναι διαφορετική +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό> Ρυθμίσεις HR apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Η πληρωμή απέτυχε. Ελέγξτε το λογαριασμό GoCardless για περισσότερες λεπτομέρειες apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Δεν επιτρέπεται να ενημερώσετε συναλλαγές αποθέματος παλαιότερες από {0} DocType: Stock Entry,Inspection Required,Απαιτείται έλεγχος @@ -5499,6 +5504,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Η τρέχουσα Λ.Υ. και η νέα Λ.Υ. δεν μπορεί να είναι ίδιες apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Μισθός ID Slip apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Η ημερομηνία συνταξιοδότησης πρέπει να είναι μεταγενέστερη από την ημερομηνία πρόσληψης +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Προμηθευτής> Τύπος προμηθευτή apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Πολλαπλές παραλλαγές DocType: Sales Invoice,Against Income Account,Κατά τον λογαριασμό εσόδων apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Παραδόθηκαν @@ -6328,6 +6334,7 @@ DocType: Program Enrollment,Institute's Bus,Bus του Ινστιτούτου DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Ο ρόλος επιτρέπεται να καθορίζει παγωμένους λογαριασμούς & να επεξεργάζετε παγωμένες καταχωρήσεις DocType: Supplier Scorecard Scoring Variable,Path,Μονοπάτι apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Δεν είναι δυνατή η μετατροπή του κέντρου κόστους σε καθολικό, όπως έχει κόμβους-παιδιά" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Ο συντελεστής μετατροπής ({0} -> {1}) δεν βρέθηκε για το στοιχείο: {2} DocType: Production Plan,Total Planned Qty,Συνολική προγραμματισμένη ποσότητα apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Οι συναλλαγές έχουν ήδη ανατραπεί από τη δήλωση apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Αξία ανοίγματος @@ -6550,6 +6557,7 @@ DocType: Lab Test,Result Date,Ημερομηνία αποτελεσμάτων DocType: Purchase Order,To Receive,Να Λάβω DocType: Leave Period,Holiday List for Optional Leave,Λίστα διακοπών για προαιρετική άδεια DocType: Item Tax Template,Tax Rates,Φορολογικοί δείκτες +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Κωδικός στοιχείου> Ομάδα στοιχείων> Μάρκα DocType: Asset,Asset Owner,Ιδιοκτήτης περιουσιακών στοιχείων DocType: Item,Website Content,Περιεχόμενο ιστότοπου DocType: Bank Account,Integration ID,Αναγνωριστικό ενοποίησης @@ -6676,6 +6684,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Πρόσθετο κόστος apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Δεν μπορείτε να φιλτράρετε με βάση αρ. αποδεικτικού, αν είναι ομαδοποιημένες ανά αποδεικτικό" DocType: Quality Inspection,Incoming,Εισερχόμενος +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης> Σειρά αρίθμησης apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Προεπιλεγμένα πρότυπα φόρου για τις πωλήσεις και την αγορά δημιουργούνται. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Η καταγραφή Αποτέλεσμα Αξιολόγησης {0} υπάρχει ήδη. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Παράδειγμα: ABCD. #####. Εάν έχει οριστεί σειρά και η Παρτίδα αριθ. Δεν αναφέρεται στις συναλλαγές, τότε θα δημιουργηθεί αυτόματος αριθμός παρτίδας βάσει αυτής της σειράς. Εάν θέλετε πάντα να αναφέρετε ρητώς τον αριθμό παρτίδας για αυτό το στοιχείο, αφήστε το κενό. Σημείωση: αυτή η ρύθμιση θα έχει προτεραιότητα σε σχέση με το πρόθεμα σειράς ονομάτων στις ρυθμίσεις αποθεμάτων." @@ -7017,6 +7026,7 @@ DocType: Journal Entry,Write Off Entry,Καταχώρηση διαγραφής DocType: BOM,Rate Of Materials Based On,Τιμή υλικών με βάση DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Αν είναι ενεργοποιημένη, ο τομέας Ακαδημαϊκός όρος θα είναι υποχρεωτικός στο εργαλείο εγγραφής προγραμμάτων." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Τιμές εξαιρούμενων, μηδενικού και μη πραγματικών εισαγωγικών προμηθειών" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Πελάτης> Ομάδα πελατών> Επικράτεια apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Η εταιρεία είναι υποχρεωτικό φίλτρο. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Καταργήστε την επιλογή όλων DocType: Purchase Taxes and Charges,On Item Quantity,Σχετικά με την ποσότητα του στοιχείου @@ -7061,6 +7071,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Συμμετοχή apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Έλλειψη ποσότητας DocType: Purchase Invoice,Input Service Distributor,Διανομέας υπηρεσιών εισόδου apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Παραλλαγή Θέση {0} υπάρχει με ίδια χαρακτηριστικά +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εκπαιδευτών στην Εκπαίδευση> Ρυθμίσεις Εκπαίδευσης DocType: Loan,Repay from Salary,Επιστρέψει από το μισθό DocType: Exotel Settings,API Token,API Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Ζητώντας την καταβολή εναντίον {0} {1} για ποσό {2} diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv index 3093e8ff39..5e4f0ed3d9 100644 --- a/erpnext/translations/es.csv +++ b/erpnext/translations/es.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,Nueva Solicitud de Materiales apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procedimientos Prescritos apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Mostrar solo POS DocType: Supplier Group,Supplier Group Name,Nombre del Grupo de Proveedores +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Marcar asistencia como DocType: Driver,Driving License Categories,Categorías de Licencia de Conducir apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Por favor, introduzca la Fecha de Entrega" DocType: Depreciation Schedule,Make Depreciation Entry,Hacer la Entrada de Depreciación @@ -999,6 +1000,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Eliminar las transacciones de la compañía DocType: Production Plan Item,Quantity and Description,Cantidad y descripción apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Nro de referencia y fecha de referencia es obligatoria para las transacciones bancarias +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configure Naming Series para {0} a través de Configuración> Configuración> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Añadir / Editar Impuestos y Cargos DocType: Payment Entry Reference,Supplier Invoice No,Factura de proveedor No. DocType: Territory,For reference,Para referencia @@ -4199,6 +4201,8 @@ DocType: Homepage,Homepage,Página Principal DocType: Grant Application,Grant Application Details ,Detalles de Solicitud de Subvención DocType: Employee Separation,Employee Separation,Separación de Empleados DocType: BOM Item,Original Item,Artículo Original +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Elimine el empleado {0} \ para cancelar este documento" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Fecha del Doc apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Registros de cuotas creados - {0} DocType: Asset Category Account,Asset Category Account,Cuenta de categoría de activos @@ -5228,6 +5232,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Costo de dive apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Ajustar Eventos a {0}, ya que el Empleado adjunto a las Personas de Venta siguientes no tiene un ID de Usuario{1}." DocType: Timesheet,Billing Details,Detalles de facturación apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Almacén de Origen y Destino deben ser diferentes +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configure el Sistema de nombres de empleados en Recursos humanos> Configuración de recursos humanos apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Pago Fallido. Verifique su Cuenta GoCardless para más detalles apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},No tiene permisos para actualizar las transacciones de stock mayores al {0} DocType: Stock Entry,Inspection Required,Inspección Requerida @@ -5461,6 +5466,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,La lista de materiales (LdM) actual y la nueva no pueden ser las mismas apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ID de Nómina apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,La fecha de jubilación debe ser mayor que la fecha de ingreso +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveedor> Tipo de proveedor apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Multiples Variantes DocType: Sales Invoice,Against Income Account,Contra cuenta de ingresos apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Entregado @@ -6290,6 +6296,7 @@ DocType: Program Enrollment,Institute's Bus,Autobús del Instituto DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rol que permite definir cuentas congeladas y editar asientos congelados DocType: Supplier Scorecard Scoring Variable,Path,Camino apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"No se puede convertir de 'Centros de Costos' a una cuenta del libro mayor, ya que tiene sub-grupos" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Factor de conversión de UOM ({0} -> {1}) no encontrado para el elemento: {2} DocType: Production Plan,Total Planned Qty,Cantidad Total Planificada apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transacciones ya retiradas del extracto apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valor de Apertura @@ -6512,6 +6519,7 @@ DocType: Lab Test,Result Date,Fecha del Resultado DocType: Purchase Order,To Receive,Recibir DocType: Leave Period,Holiday List for Optional Leave,Lista de vacaciones para la licencia opcional DocType: Item Tax Template,Tax Rates,Las tasas de impuestos +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código de artículo> Grupo de artículos> Marca DocType: Asset,Asset Owner,Propietario del activo DocType: Item,Website Content,Contenido del sitio web DocType: Bank Account,Integration ID,ID de integración @@ -6637,6 +6645,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Costo adicional apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","No se puede filtrar en función al 'No. de comprobante', si esta agrupado por el nombre" DocType: Quality Inspection,Incoming,Entrante +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configure la serie de numeración para la Asistencia a través de Configuración> Serie de numeración apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Se crean plantillas de impuestos predeterminadas para ventas y compras. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,El registro de Resultados de la Evaluación {0} ya existe. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Ejemplo: ABCD. #####. Si se establece una serie y no se menciona el No de lote en las transacciones, se creará un número de lote automático basado en esta serie. Si siempre quiere mencionar explícitamente el No de lote para este artículo, déjelo en blanco. Nota: esta configuración tendrá prioridad sobre el Prefijo de denominación de serie en Configuración de stock." @@ -6978,6 +6987,7 @@ DocType: Journal Entry,Write Off Entry,Diferencia de desajuste DocType: BOM,Rate Of Materials Based On,Valor de materiales basado en DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Si está habilitado, el término académico del campo será obligatorio en la herramienta de inscripción al programa." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Valores de suministros internos exentos, nulos y no GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Territorio apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,La empresa es un filtro obligatorio. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Desmarcar todos DocType: Purchase Taxes and Charges,On Item Quantity,En Cantidad de Item @@ -7022,6 +7032,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Unirse apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Cantidad faltante DocType: Purchase Invoice,Input Service Distributor,Distribuidor de servicio de entrada apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Existe la variante de artículo {0} con mismos atributos +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configure el Sistema de nombres de instructores en Educación> Configuración de educación DocType: Loan,Repay from Salary,Reembolso del Salario DocType: Exotel Settings,API Token,Token API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Solicitando el pago contra {0} {1} para la cantidad {2} diff --git a/erpnext/translations/et.csv b/erpnext/translations/et.csv index f743200e02..16c6127e2e 100644 --- a/erpnext/translations/et.csv +++ b/erpnext/translations/et.csv @@ -386,6 +386,7 @@ DocType: BOM Update Tool,New BOM,New Bom apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Ettenähtud protseduurid apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Kuva ainult POS DocType: Supplier Group,Supplier Group Name,Tarnija grupi nimi +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Märgi kohalolijaks kui DocType: Driver,Driving License Categories,Juhtimiskategooriad apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Palun sisesta saatekuupäev DocType: Depreciation Schedule,Make Depreciation Entry,Tee kulum Entry @@ -994,6 +995,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Kustuta tehingutes DocType: Production Plan Item,Quantity and Description,Kogus ja kirjeldus apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Viitenumber ja viited kuupäev on kohustuslik Bank tehingu +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Valige Seadistamise seeria väärtuseks {0}, mis asub seadistuse> Seadistused> Seeriate nimetamine" DocType: Purchase Receipt,Add / Edit Taxes and Charges,Klienditeenindus Lisa / uuenda maksud ja tasud DocType: Payment Entry Reference,Supplier Invoice No,Tarnija Arve nr DocType: Territory,For reference,Sest viide @@ -4189,6 +4191,8 @@ DocType: Homepage,Homepage,Kodulehekülg DocType: Grant Application,Grant Application Details ,Toetage rakenduse üksikasju DocType: Employee Separation,Employee Separation,Töötaja eraldamine DocType: BOM Item,Original Item,Originaalüksus +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Selle dokumendi tühistamiseks kustutage töötaja {0} \" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dokumendi kuupäev apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Loodud - {0} DocType: Asset Category Account,Asset Category Account,Põhivarakategoori konto @@ -5203,6 +5207,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Kulude erinev apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Seadistamine Sündmused {0}, kuna töötaja juurde allpool müügiisikuid ei ole Kasutaja ID {1}" DocType: Timesheet,Billing Details,Arved detailid apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Allika ja eesmärgi ladu peavad olema erinevad +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Palun seadistage töötajate nimetamise süsteem personaliressursist> HR-sätted apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Makse ebaõnnestus. Palun kontrollige oma GoCardlessi kontot, et saada lisateavet" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ei ole lubatud uuendada laos tehingute vanem kui {0} DocType: Stock Entry,Inspection Required,Ülevaatus Nõutav @@ -5434,6 +5439,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Praegune BOM ja Uus BOM saa olla samad apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Palgatõend ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Erru minemise peab olema suurem kui Liitumis +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tarnija> Tarnija tüüp apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Mitmed variandid DocType: Sales Invoice,Against Income Account,Sissetuleku konto apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% tarnitud @@ -6260,6 +6266,7 @@ DocType: Program Enrollment,Institute's Bus,Instituudi buss DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Role lubatud kehtestada külmutatud kontode ja Edit Külmutatud kanded DocType: Supplier Scorecard Scoring Variable,Path,Tee apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Ei saa teisendada Cost Center pearaamatu, sest see on tütartippu" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM teisendustegurit ({0} -> {1}) üksusele {2} ei leitud DocType: Production Plan,Total Planned Qty,Kokku planeeritud kogus apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Tehingud on avaldusest juba taganenud apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Seis @@ -6482,6 +6489,7 @@ DocType: Lab Test,Result Date,Tulemuse kuupäev DocType: Purchase Order,To Receive,Saama DocType: Leave Period,Holiday List for Optional Leave,Puhkusloetelu valikuliseks puhkuseks DocType: Item Tax Template,Tax Rates,Maksumäärad +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kauba kood> esemerühm> kaubamärk DocType: Asset,Asset Owner,Vara omanik DocType: Item,Website Content,Veebisaidi sisu DocType: Bank Account,Integration ID,Integratsiooni ID @@ -6607,6 +6615,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Lisakulu apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Ei filtreerimiseks Voucher Ei, kui rühmitatud Voucher" DocType: Quality Inspection,Incoming,Saabuva +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Palun seadistage kohaloleku jaoks numeratsiooniseeria seadistamise> Numeratsiooniseeria kaudu apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Müügile ja ostule pääseb alla maksumallid. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Hindamise tulemuste register {0} on juba olemas. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Näide: ABCD. #####. Kui seeria on seatud ja partii number tehingutes ei mainita, luuakse selle seeria põhjal automaatne partii number. Kui soovite alati selgesõnaliselt märkida selle üksuse partii nr, jätke see tühjaks. Märkus: see seade eelistab nimeserveri eesliidet varu seadetes." @@ -6948,6 +6957,7 @@ DocType: Journal Entry,Write Off Entry,Kirjutage Off Entry DocType: BOM,Rate Of Materials Based On,Hinda põhinevatest materjalidest DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Kui see on aktiveeritud, on programmi akadeemiline termin kohustuslik programmi registreerimisvahendis." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Maksust vabastatud, nullmääraga ja mitte-GST-sisendtarnete väärtused" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> kliendirühm> territoorium apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Ettevõte on kohustuslik filter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Puhasta kõik DocType: Purchase Taxes and Charges,On Item Quantity,Kauba kogus @@ -6992,6 +7002,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,liituma apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Puuduse Kogus DocType: Purchase Invoice,Input Service Distributor,Sisendteenuse levitaja apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Punkt variant {0} on olemas sama atribuute +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Seadistage juhendaja nimetamise süsteem jaotises Haridus> Hariduse sätted DocType: Loan,Repay from Salary,Tagastama alates Palk DocType: Exotel Settings,API Token,API tunnus apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},TELLIN tasumises {0} {1} jaoks kogus {2} diff --git a/erpnext/translations/fa.csv b/erpnext/translations/fa.csv index cb498c3e2e..552c91270c 100644 --- a/erpnext/translations/fa.csv +++ b/erpnext/translations/fa.csv @@ -384,6 +384,7 @@ DocType: BOM Update Tool,New BOM,BOM جدید apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,روشهای پیشنهادی apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,فقط POS نمایش داده شود DocType: Supplier Group,Supplier Group Name,نام گروه تامین کننده +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,حضور علامت گذاری به عنوان DocType: Driver,Driving License Categories,دسته بندی مجوز رانندگی apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,لطفا تاریخ تحویل را وارد کنید DocType: Depreciation Schedule,Make Depreciation Entry,ورود استهلاک @@ -4121,6 +4122,8 @@ DocType: Homepage,Homepage,صفحه نخست DocType: Grant Application,Grant Application Details ,جزئیات برنامه Grant DocType: Employee Separation,Employee Separation,جدایی کارکنان DocType: BOM Item,Original Item,مورد اصلی +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","لطفاً برای لغو این سند ، {0} \ کارمند را حذف کنید" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,تاریخ داک apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},سوابق هزینه ایجاد شده - {0} DocType: Asset Category Account,Asset Category Account,حساب دارایی رده @@ -5113,6 +5116,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,هزینه ف apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",تنظیم رویدادها به {0}، از کارمند متصل به زیر Persons فروش یک ID کاربر ندارد {1} DocType: Timesheet,Billing Details,جزئیات صورتحساب apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,منبع و انبار هدف باید متفاوت باشد +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,لطفاً سیستم نامگذاری کارمندان را در منابع انسانی> تنظیمات HR تنظیم کنید apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,پرداخت ناموفق. برای اطلاعات بیشتر، لطفا حساب GoCardless خود را بررسی کنید apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},اجازه به روز رسانی معاملات سهام مسن تر از {0} DocType: Stock Entry,Inspection Required,مورد نیاز بازرسی @@ -5341,6 +5345,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM BOM کنونی و جدید را نمی توان همان apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,حقوق و دستمزد ID لغزش apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,تاریخ بازنشستگی باید از تاریخ پیوستن بیشتر +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کننده> نوع عرضه کننده apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,گزینه های چندگانه DocType: Sales Invoice,Against Income Account,به حساب درآمد apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}٪ تحویل داده شد @@ -6373,6 +6378,7 @@ DocType: Lab Test,Result Date,نتیجه تاریخ DocType: Purchase Order,To Receive,برای دریافت DocType: Leave Period,Holiday List for Optional Leave,لیست تعطیلات برای اقامت اختیاری DocType: Item Tax Template,Tax Rates,نرخ مالیات +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,کد کالا> گروه مورد> نام تجاری DocType: Asset,Asset Owner,صاحب دارایی DocType: Item,Website Content,محتوای وب سایت DocType: Bank Account,Integration ID,شناسه ادغام @@ -6495,6 +6501,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,هزینه های اضافی apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",می توانید بر روی کوپن نه فیلتر بر اساس، در صورتی که توسط کوپن گروه بندی DocType: Quality Inspection,Incoming,وارد شونده +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,لطفاً سریال های شماره گذاری را برای حضور از طریق تنظیم> سری شماره گذاری تنظیم کنید apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,قالب های پیش فرض مالی برای فروش و خرید ایجاد می شوند. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,ارزیابی نتیجه نتیجه {0} در حال حاضر وجود دارد. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",به عنوان مثال: ABCD. #####. اگر مجموعه ای تنظیم شده است و Batch No در معاملات ذکر شده است، سپس شماره بلاک اتوماتیک بر اساس این سری ایجاد می شود. اگر همیشه می خواهید بطور صریح بیتی را برای این آیتم ذکر کنید، این را خالی بگذارید. توجه: این تنظیم اولویت بیش از Prefix سری نامگذاری در تنظیمات سهام است. @@ -6829,6 +6836,7 @@ DocType: Journal Entry,Write Off Entry,ارسال فعال ورود DocType: BOM,Rate Of Materials Based On,نرخ مواد بر اساس DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",در صورت فعال بودن، دوره Academic Term در ابزار ثبت نام برنامه اجباری خواهد بود. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",مقادیر معافیت ، صفر درجه بندی شده و غیر GST منابع داخلی +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,مشتری> گروه مشتری> سرزمین apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,شرکت فیلتر اجباری است. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,همه موارد را از حالت انتخاب خارج کنید DocType: Purchase Taxes and Charges,On Item Quantity,در مورد مورد @@ -6873,6 +6881,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,پیوستن apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,کمبود تعداد DocType: Purchase Invoice,Input Service Distributor,توزیع کننده خدمات ورودی apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,نوع مورد {0} با ویژگی های مشابه وجود دارد +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,لطفاً سیستم نامگذاری مربی را در آموزش و پرورش> تنظیمات آموزش تنظیم کنید DocType: Loan,Repay from Salary,بازپرداخت از حقوق و دستمزد DocType: Exotel Settings,API Token,API Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},درخواست پرداخت در مقابل {0} {1} برای مقدار {2} diff --git a/erpnext/translations/fi.csv b/erpnext/translations/fi.csv index 15b68536b5..cec0e56c6d 100644 --- a/erpnext/translations/fi.csv +++ b/erpnext/translations/fi.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,Uusi osaluettelo apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Esitetyt menettelyt apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Näytä vain POS DocType: Supplier Group,Supplier Group Name,Toimittajan ryhmän nimi +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Merkitse läsnäolo nimellä DocType: Driver,Driving License Categories,Ajokorttikategoriat apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Anna toimituspäivä DocType: Depreciation Schedule,Make Depreciation Entry,Tee Poistot Entry @@ -999,6 +1000,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,poista yrityksen tapahtumia DocType: Production Plan Item,Quantity and Description,Määrä ja kuvaus apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Viitenumero ja viitepäivämäärä on pakollinen Pankin myynnin +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Aseta Naming-sarjan asetukseksi {0} Asetukset> Asetukset> Sarjasta nimeäminen -kohdassa DocType: Purchase Receipt,Add / Edit Taxes and Charges,Lisää / muokkaa veroja ja maksuja DocType: Payment Entry Reference,Supplier Invoice No,toimittajan laskun nro DocType: Territory,For reference,viitteeseen @@ -4199,6 +4201,8 @@ DocType: Homepage,Homepage,Kotisivu DocType: Grant Application,Grant Application Details ,Apurahan hakemustiedot DocType: Employee Separation,Employee Separation,Työntekijöiden erottaminen DocType: BOM Item,Original Item,Alkuperäinen tuote +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Poista työntekijä {0} \ peruuttaaksesi tämän asiakirjan" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Luotu - {0} DocType: Asset Category Account,Asset Category Account,Asset Luokka Account @@ -5216,6 +5220,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,vaihtelevien apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Tapahtuma asetettu arvoon {0}, koska myyntihenkilöön liitetty työntekijä ei omista käyttäjätunnusta {1}" DocType: Timesheet,Billing Details,Laskutustiedot apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Lähde ja kohde varasto on oltava eri +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Asenna Työntekijöiden nimeämisjärjestelmä kohtaan Henkilöstöresurssit> HR-asetukset apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Maksu epäonnistui. Tarkista GoCardless-tilisi tarkempia tietoja apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},ei ole sallittua päivittää yli {0} vanhoja varastotapahtumia DocType: Stock Entry,Inspection Required,tarkistus vaaditaan @@ -5449,6 +5454,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,nykyinen BOM ja uusi BOM ei voi olla samoja apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Palkka Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Eläkkeellesiirtymispäivän on oltava työsuhteen aloituspäivää myöhemmin +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Toimittaja> Toimittajan tyyppi apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Useita vaihtoehtoja DocType: Sales Invoice,Against Income Account,tulotilin kodistus apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% toimitettu @@ -6278,6 +6284,7 @@ DocType: Program Enrollment,Institute's Bus,Instituutin bussi DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,rooli voi jäädyttää- sekä muokata jäädytettyjä kirjauksia DocType: Supplier Scorecard Scoring Variable,Path,polku apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"kustannuspaikasta ei voi siirtää tilikirjaan, sillä kustannuspaikalla on alasidoksia" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-muuntokerrointa ({0} -> {1}) ei löydy tuotteelle: {2} DocType: Production Plan,Total Planned Qty,Suunniteltu kokonaismäärä apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Tapahtumat palautettiin jo lausunnosta apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Opening Arvo @@ -6500,6 +6507,7 @@ DocType: Lab Test,Result Date,Tulospäivämäärä DocType: Purchase Order,To Receive,Saavuta DocType: Leave Period,Holiday List for Optional Leave,Lomalista vapaaehtoiseen lomaan DocType: Item Tax Template,Tax Rates,Verokannat +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Tuotekoodi> Tuoteryhmä> Tuotemerkki DocType: Asset,Asset Owner,Omaisuuden omistaja DocType: Item,Website Content,Verkkosivun sisältö DocType: Bank Account,Integration ID,Integrointitunnus @@ -6625,6 +6633,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Muita Kustannukset apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",ei voi suodattaa tositenumero pohjalta mikäli tosite on ryhmässä DocType: Quality Inspection,Incoming,saapuva +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Asenna läsnäolosuhteiden numerointisarjat kohdasta Asetukset> Numerointisarja apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Myynnin ja ostoksen oletusmaksumalleja luodaan. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Arviointi Tulosrekisteri {0} on jo olemassa. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Esimerkki: ABCD. #####. Jos sarja on asetettu ja eränumeroa ei ole mainittu liiketoimissa, automaattinen eränumero luodaan tämän sarjan perusteella. Jos haluat aina mainita erikseen tämän erän erät, jätä tämä tyhjäksi. Huomaa: tämä asetus on etusijalla Naming-sarjan etuliitteen asetuksissa." @@ -6972,6 +6981,7 @@ DocType: Journal Entry,Write Off Entry,Poiston kirjaus DocType: BOM,Rate Of Materials Based On,Materiaalilaskenta perustuen DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Jos tämä on käytössä, kentän akateeminen termi on Pakollinen ohjelman rekisteröintityökalussa." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Verottomien, nollaan luokiteltujen ja muiden kuin GST-sisäisten tarvikkeiden arvot" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Asiakas> Asiakasryhmä> Alue apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Yritys on pakollinen suodatin. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Poista kaikki DocType: Purchase Taxes and Charges,On Item Quantity,Tuotteen määrä @@ -7016,6 +7026,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Liittyä seuraan apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Vajaa määrä DocType: Purchase Invoice,Input Service Distributor,Tulopalvelun jakelija apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Tuote variantti {0} ovat olemassa samoja ominaisuuksia +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Asenna ohjaajien nimeämisjärjestelmä kohtaan Koulutus> Koulutusasetukset DocType: Loan,Repay from Salary,Maksaa maasta Palkka DocType: Exotel Settings,API Token,API-tunnus apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Maksupyynnön vastaan {0} {1} määräksi {2} diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv index f3b40ffe0b..c63c949e1f 100644 --- a/erpnext/translations/fr.csv +++ b/erpnext/translations/fr.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,Nouvelle LDM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procédures prescrites apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Afficher uniquement les points de vente DocType: Supplier Group,Supplier Group Name,Nom du groupe de fournisseurs +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Marquer la présence comme DocType: Driver,Driving License Categories,Catégories de permis de conduire apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Entrez la Date de Livraison DocType: Depreciation Schedule,Make Depreciation Entry,Créer une Écriture d'Amortissement @@ -1000,6 +1001,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Supprimer les Transactions de la Société DocType: Production Plan Item,Quantity and Description,Quantité et description apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Le N° de Référence et la Date de Référence sont nécessaires pour une Transaction Bancaire +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Veuillez définir la série de noms pour {0} via Configuration> Paramètres> Série de noms DocType: Purchase Receipt,Add / Edit Taxes and Charges,Ajouter / Modifier Taxes et Charges DocType: Payment Entry Reference,Supplier Invoice No,N° de Facture du Fournisseur DocType: Territory,For reference,Pour référence @@ -4241,6 +4243,8 @@ DocType: Homepage,Homepage,Page d'Accueil DocType: Grant Application,Grant Application Details ,Détails de la demande de subvention DocType: Employee Separation,Employee Separation,Départ des employés DocType: BOM Item,Original Item,Article original +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Veuillez supprimer l'employé {0} \ pour annuler ce document" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Date du document apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Archive d'Honoraires Créée - {0} DocType: Asset Category Account,Asset Category Account,Compte de Catégorie d'Actif @@ -5270,6 +5274,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Coût des dif apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Définir les Événements à {0}, puisque l'employé attaché au Commercial ci-dessous n'a pas d'ID Utilisateur {1}" DocType: Timesheet,Billing Details,Détails de la Facturation apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Entrepôt source et destination doivent être différents +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Veuillez configurer le système de dénomination des employés dans Ressources humaines> Paramètres RH apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Le paiement a échoué. Veuillez vérifier votre compte GoCardless pour plus de détails apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Non autorisé à mettre à jour les transactions du stock antérieures à {0} DocType: Stock Entry,Inspection Required,Inspection obligatoire @@ -5503,6 +5508,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,La LDM actuelle et la nouvelle LDM ne peuvent être pareilles apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ID Fiche de Paie apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,La Date de Départ à la Retraite doit être supérieure à Date d'Embauche +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fournisseur> Type de fournisseur apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Variantes multiples DocType: Sales Invoice,Against Income Account,Pour le Compte de Produits apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Livré @@ -6332,6 +6338,7 @@ DocType: Program Enrollment,Institute's Bus,Bus de l'Institut DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rôle Autorisé à Geler des Comptes & à Éditer des Écritures Gelées DocType: Supplier Scorecard Scoring Variable,Path,Chemin apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Conversion impossible du Centre de Coûts en livre car il possède des nœuds enfants +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Facteur de conversion UdM ({0} -> {1}) introuvable pour l'article: {2} DocType: Production Plan,Total Planned Qty,Quantité totale prévue apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transactions déjà extraites de la déclaration apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valeur d'Ouverture @@ -6554,6 +6561,7 @@ DocType: Lab Test,Result Date,Date de Résultat DocType: Purchase Order,To Receive,À Recevoir DocType: Leave Period,Holiday List for Optional Leave,Liste de jours fériés pour congé facultatif DocType: Item Tax Template,Tax Rates,Les taux d'imposition +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Code article> Groupe d'articles> Marque DocType: Asset,Asset Owner,Propriétaire de l'Actif DocType: Item,Website Content,Contenu du site Web DocType: Bank Account,Integration ID,ID d'intégration @@ -6679,6 +6687,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Frais Supplémentaire apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Impossible de filtrer sur la base du N° de Coupon, si les lignes sont regroupées par Coupon" DocType: Quality Inspection,Incoming,Entrant +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Veuillez configurer la série de numérotation pour l'assistance via Configuration> Série de numérotation apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Les modèles de taxe par défaut pour les ventes et les achats sont créés. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Le Résultat d'Évaluation {0} existe déjà. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Exemple: ABCD. #####. Si la série est définie et que le numéro de lot n'est pas mentionné dans les transactions, un numéro de lot sera automatiquement créé en avec cette série. Si vous préferez mentionner explicitement et systématiquement le numéro de lot pour cet article, laissez ce champ vide. Remarque: ce paramètre aura la priorité sur le préfixe de la série dans les paramètres de stock." @@ -7021,6 +7030,7 @@ DocType: Journal Entry,Write Off Entry,Écriture de Reprise DocType: BOM,Rate Of Materials Based On,Prix des Matériaux Basé sur DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Si cette option est activée, le champ Période académique sera obligatoire dans l'outil d'inscription au programme." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Valeurs des fournitures importées exonérées, assorties d'une cote zéro et non liées à la TPS" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Groupe de clients> Territoire apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,La société est un filtre obligatoire. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Décocher tout DocType: Purchase Taxes and Charges,On Item Quantity,Sur quantité d'article @@ -7065,6 +7075,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Joindre apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Qté de Pénurie DocType: Purchase Invoice,Input Service Distributor,Distributeur de service d'entrée apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,La variante de l'article {0} existe avec les mêmes caractéristiques +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Veuillez configurer le système de dénomination de l'instructeur dans Éducation> Paramètres de l'éducation DocType: Loan,Repay from Salary,Rembourser avec le Salaire DocType: Exotel Settings,API Token,Jeton d'API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Demande de Paiement pour {0} {1} pour le montant {2} diff --git a/erpnext/translations/gu.csv b/erpnext/translations/gu.csv index e3d010aa87..1ff8d69aaa 100644 --- a/erpnext/translations/gu.csv +++ b/erpnext/translations/gu.csv @@ -384,6 +384,7 @@ DocType: BOM Update Tool,New BOM,ન્યૂ BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,નિયત કાર્યવાહી apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,માત્ર POS બતાવો DocType: Supplier Group,Supplier Group Name,પુરવઠોકર્તા ગ્રુપનું નામ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,તરીકે હાજરી માર્ક કરો DocType: Driver,Driving License Categories,ડ્રાઇવિંગ લાઈસન્સ શ્રેણીઓ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,ડિલિવરી તારીખ દાખલ કરો DocType: Depreciation Schedule,Make Depreciation Entry,અવમૂલ્યન પ્રવેશ કરો @@ -4119,6 +4120,8 @@ DocType: Homepage,Homepage,મુખપૃષ્ઠ DocType: Grant Application,Grant Application Details ,ગ્રાન્ટ એપ્લિકેશન વિગતો DocType: Employee Separation,Employee Separation,કર્મચારી વિભાજન DocType: BOM Item,Original Item,મૂળ વસ્તુ +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","કૃપા કરીને આ દસ્તાવેજ રદ કરવા માટે કર્મચારી {0} delete કા deleteી નાખો" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,દસ્તાવેજ તારીખ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ફી રેકોર્ડ્સ બનાવનાર - {0} DocType: Asset Category Account,Asset Category Account,એસેટ વર્ગ એકાઉન્ટ @@ -5119,6 +5122,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,વિવિ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","માટે ઘટનાઓ સેટિંગ {0}, કારણ કે કર્મચારી વેચાણ વ્યક્તિઓ નીચે જોડાયેલ એક વપરાશકર્તા id નથી {1}" DocType: Timesheet,Billing Details,બિલિંગ વિગતો apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,સ્ત્રોત અને લક્ષ્ય વેરહાઉસ અલગ જ હોવી જોઈએ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,કૃપા કરીને માનવ સંસાધન> એચઆર સેટિંગ્સમાં કર્મચારી નામકરણ સિસ્ટમ સેટ કરો apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ચૂકવણી નિષ્ફળ વધુ વિગતો માટે કૃપા કરીને તમારા GoCardless એકાઉન્ટને તપાસો apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},ન કરતાં જૂની સ્ટોક વ્યવહારો સુધારવા માટે મંજૂરી {0} DocType: Stock Entry,Inspection Required,નિરીક્ષણ જરૂરી @@ -5348,6 +5352,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,વર્તમાન BOM અને નવા BOM જ ન હોઈ શકે apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,પગાર કાપલી ID ને apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,નિવૃત્તિ તારીખ જોડાયા તારીખ કરતાં મોટી હોવી જ જોઈએ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,સપ્લાયર> સપ્લાયર પ્રકાર apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,મલ્ટીપલ વેરિયન્ટ્સ DocType: Sales Invoice,Against Income Account,આવક એકાઉન્ટ સામે apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% વિતરિત @@ -6163,6 +6168,7 @@ DocType: Program Enrollment,Institute's Bus,સંસ્થા બસ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ભૂમિકા ફ્રોઝન એકાઉન્ટ્સ & સંપાદિત કરો ફ્રોઝન પ્રવેશો સેટ કરવાની મંજૂરી DocType: Supplier Scorecard Scoring Variable,Path,પાથ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"તે બાળક ગાંઠો છે, કારણ કે ખાતાવહી ખર્ચ કેન્દ્ર કન્વર્ટ કરી શકતા નથી" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},આઇટમ માટે યુઓએમ કન્વર્ઝન પરિબળ ({0} -> {1}) મળ્યું નથી: {2} DocType: Production Plan,Total Planned Qty,કુલ યોજનાવાળી જથ્થો apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,વ્યવહાર પહેલાથી જ નિવેદનમાંથી પાછો ખેંચ્યો છે apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ખુલી ભાવ @@ -6381,6 +6387,7 @@ DocType: Lab Test,Result Date,પરિણામ તારીખ DocType: Purchase Order,To Receive,પ્રાપ્ત DocType: Leave Period,Holiday List for Optional Leave,વૈકલ્પિક રજા માટેની રજાઓની સૂચિ DocType: Item Tax Template,Tax Rates,કર દરો +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,આઇટમ કોડ> આઇટમ જૂથ> બ્રાન્ડ DocType: Asset,Asset Owner,અસેટ માલિક DocType: Item,Website Content,વેબસાઇટ સામગ્રી DocType: Bank Account,Integration ID,એકત્રિકરણ ID @@ -6504,6 +6511,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,વધારાના ખર્ચ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","વાઉચર કોઈ પર આધારિત ફિલ્ટર કરી શકો છો, વાઉચર દ્વારા જૂથ તો" DocType: Quality Inspection,Incoming,ઇનકમિંગ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,કૃપા કરીને સેટઅપ> નંબરિંગ સિરીઝ દ્વારા હાજરી માટે નંબરિંગ શ્રેણી સેટ કરો apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,વેચાણ અને ખરીદી માટે ડિફોલ્ટ કર ટેમ્પ્લેટ બનાવવામાં આવે છે. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,મૂલ્યાંકન પરિણામ રેકોર્ડ {0} પહેલાથી અસ્તિત્વમાં છે. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","ઉદાહરણ: એબીસીડી. ##### જો શ્રેણી સેટ કરેલ હોય અને લેવડદેવડમાં બેચ નો ઉલ્લેખ નથી, તો પછી આ શ્રેણીના આધારે આપમેળે બેચ નંબર બનાવવામાં આવશે. જો તમે હંમેશા આ આઇટમ માટે બેચ નો ઉલ્લેખ કરશો, તો આને ખાલી છોડી દો. નોંધ: આ સેટિંગ, સ્ટોક સેટિંગ્સમાં નેમિંગ સિરીઝ પ્રીફિક્સ પર અગ્રતા લેશે." @@ -6838,6 +6846,7 @@ DocType: Journal Entry,Write Off Entry,એન્ટ્રી માંડવા DocType: BOM,Rate Of Materials Based On,દર સામગ્રી પર આધારિત DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","જો સક્ષમ કરેલું હોય, તો ક્ષેત્ર નોંધણી સાધનમાં ફીલ્ડ એકેડેમિક ટર્મ ફરજિયાત રહેશે." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","મુક્તિ, શૂન્ય મૂલ્યાંકન અને જીએસટી સિવાયની આવક સપ્લાયના મૂલ્યો" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ગ્રાહક> ગ્રાહક જૂથ> ક્ષેત્ર apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,કંપની ફરજિયાત ફિલ્ટર છે. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,અનચેક બધા DocType: Purchase Taxes and Charges,On Item Quantity,આઇટમ જથ્થા પર @@ -6882,6 +6891,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,જોડાઓ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,અછત Qty DocType: Purchase Invoice,Input Service Distributor,ઇનપુટ સેવા વિતરક apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,વસ્તુ ચલ {0} જ લક્ષણો સાથે હાજર +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,કૃપા કરીને શિક્ષણ> શિક્ષણ સેટિંગ્સમાં પ્રશિક્ષક નામકરણ સિસ્ટમ સેટ કરો DocType: Loan,Repay from Salary,પગારની ચુકવણી DocType: Exotel Settings,API Token,API ટોકન apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},સામે ચુકવણી વિનંતી {0} {1} રકમ માટે {2} diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv index 0d6f0c5cfb..5081200ab5 100644 --- a/erpnext/translations/hi.csv +++ b/erpnext/translations/hi.csv @@ -387,6 +387,7 @@ DocType: BOM Update Tool,New BOM,नई बीओएम apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,निर्धारित प्रक्रियाएं apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,केवल पीओएस दिखाएं DocType: Supplier Group,Supplier Group Name,प्रदायक समूह का नाम +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,मार्क उपस्थिति के रूप में DocType: Driver,Driving License Categories,ड्राइविंग लाइसेंस श्रेणियाँ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,कृपया डिलिवरी दिनांक दर्ज करें DocType: Depreciation Schedule,Make Depreciation Entry,मूल्यह्रास प्रवेश कर @@ -996,6 +997,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,कंपनी लेन-देन को हटाएं DocType: Production Plan Item,Quantity and Description,मात्रा और विवरण apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,संदर्भ कोई और संदर्भ तिथि बैंक लेन-देन के लिए अनिवार्य है +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,कृपया सेटिंग> सेटिंग> नामकरण श्रृंखला के माध्यम से {0} के लिए नामकरण श्रृंखला निर्धारित करें DocType: Purchase Receipt,Add / Edit Taxes and Charges,कर और प्रभार जोड़ें / संपादित करें DocType: Payment Entry Reference,Supplier Invoice No,प्रदायक चालान नहीं DocType: Territory,For reference,संदर्भ के लिए @@ -4235,6 +4237,8 @@ DocType: Homepage,Homepage,मुखपृष्ठ DocType: Grant Application,Grant Application Details ,अनुदान आवेदन विवरण DocType: Employee Separation,Employee Separation,कर्मचारी पृथक्करण DocType: BOM Item,Original Item,मूल आइटम +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","कृपया इस दस्तावेज़ को रद्द करने के लिए कर्मचारी {0} \ _ हटाएं" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,डॉक्टर तिथि apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},शुल्क रिकॉर्ड बनाया - {0} DocType: Asset Category Account,Asset Category Account,परिसंपत्ति वर्ग अकाउंट @@ -5264,6 +5268,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,विभि apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","को घटना की सेटिंग {0}, क्योंकि कर्मचारी बिक्री व्यक्तियों के नीचे से जुड़ी एक यूजर आईडी नहीं है {1}" DocType: Timesheet,Billing Details,बिलिंग विवरण apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,स्रोत और लक्ष्य गोदाम अलग होना चाहिए +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन> HR सेटिंग्स में कर्मचारी नामकरण प्रणाली सेटअप करें apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,भुगतान असफल हुआ। अधिक जानकारी के लिए कृपया अपने GoCardless खाते की जांच करें apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},से शेयर लेनदेन पुराने अद्यतन करने की अनुमति नहीं है {0} DocType: Stock Entry,Inspection Required,आवश्यक निरीक्षण @@ -5497,6 +5502,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,वर्तमान बीओएम और नई बीओएम ही नहीं किया जा सकता है apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,वेतन पर्ची आईडी apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,सेवानिवृत्ति की तिथि शामिल होने की तिथि से अधिक होना चाहिए +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,आपूर्तिकर्ता> आपूर्तिकर्ता प्रकार apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,एकाधिक विविधताएं DocType: Sales Invoice,Against Income Account,आय खाता के खिलाफ apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% वितरित @@ -6326,6 +6332,7 @@ DocType: Program Enrollment,Institute's Bus,संस्थान की बस DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,भूमिका जमे लेखा एवं संपादित जमे प्रविष्टियां सेट करने की अनुमति DocType: Supplier Scorecard Scoring Variable,Path,पथ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,यह बच्चे नोड्स के रूप में खाता बही के लिए लागत केंद्र बदला नहीं जा सकता +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM रूपांतरण कारक ({0} -> {1}) आइटम के लिए नहीं मिला: {2} DocType: Production Plan,Total Planned Qty,कुल नियोजित मात्रा apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,लेन-देन पहले से ही बयान से मुकर गया apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,उद्घाटन मूल्य @@ -6548,6 +6555,7 @@ DocType: Lab Test,Result Date,परिणाम दिनांक DocType: Purchase Order,To Receive,प्राप्त करने के लिए DocType: Leave Period,Holiday List for Optional Leave,वैकल्पिक छुट्टी के लिए अवकाश सूची DocType: Item Tax Template,Tax Rates,कर की दरें +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आइटम कोड> आइटम समूह> ब्रांड DocType: Asset,Asset Owner,संपत्ति मालिक DocType: Item,Website Content,वेबसाइट की सामग्री DocType: Bank Account,Integration ID,एकीकरण आईडी @@ -6674,6 +6682,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,अतिरिक्त लागत apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","वाउचर के आधार पर फ़िल्टर नहीं कर सकते नहीं, वाउचर के आधार पर समूहीकृत अगर" DocType: Quality Inspection,Incoming,आवक +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> नंबरिंग श्रृंखला के माध्यम से उपस्थिति के लिए क्रमांकन श्रृंखला की स्थापना करें apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,विक्रय और खरीद के लिए डिफ़ॉल्ट कर टेम्पलेट बनाए गए हैं apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,मूल्यांकन परिणाम रिकॉर्ड {0} पहले से मौजूद है। DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","उदाहरण: एबीसीडी। #####। यदि श्रृंखला सेट की गई है और बैच संख्या का लेनदेन में उल्लेख नहीं किया गया है, तो इस श्रृंखला के आधार पर स्वचालित बैच संख्या बनाई जाएगी। यदि आप हमेशा इस आइटम के लिए बैच नंबर का स्पष्ट रूप से उल्लेख करना चाहते हैं, तो इसे खाली छोड़ दें। नोट: यह सेटिंग स्टॉक सेटिंग्स में नामकरण श्रृंखला उपसर्ग पर प्राथमिकता लेगी।" @@ -7015,6 +7024,7 @@ DocType: Journal Entry,Write Off Entry,एंट्री बंद लिखन DocType: BOM,Rate Of Materials Based On,सामग्री के आधार पर दर DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","यदि सक्षम है, तो प्रोग्राम नामांकन उपकरण में फ़ील्ड अकादमिक अवधि अनिवार्य होगी।" apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","छूट, शून्य रेटेड और गैर-जीएसटी आवक आपूर्ति के मूल्य" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> क्षेत्र apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,कंपनी एक अनिवार्य फिल्टर है। apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,सब को अचयनित करें DocType: Purchase Taxes and Charges,On Item Quantity,आइटम मात्रा पर @@ -7059,6 +7069,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,जुडें apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,कमी मात्रा DocType: Purchase Invoice,Input Service Distributor,इनपुट सेवा वितरक apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,मद संस्करण {0} एक ही गुण के साथ मौजूद है +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षा> शिक्षा सेटिंग्स में इंस्ट्रक्टर नामकरण प्रणाली सेटअप करें DocType: Loan,Repay from Salary,वेतन से बदला DocType: Exotel Settings,API Token,एपीआई टोकन apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},के खिलाफ भुगतान का अनुरोध {0} {1} राशि के लिए {2} diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv index 750c8f506f..bad6e019ce 100644 --- a/erpnext/translations/hr.csv +++ b/erpnext/translations/hr.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,Novi BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Propisani postupci apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Prikaži samo POS DocType: Supplier Group,Supplier Group Name,Naziv grupe dobavljača +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Označi prisustvo kao DocType: Driver,Driving License Categories,Kategorije voznih dozvola apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Unesite datum isporuke DocType: Depreciation Schedule,Make Depreciation Entry,Provjerite Amortizacija unos @@ -999,6 +1000,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Brisanje transakcije tvrtke DocType: Production Plan Item,Quantity and Description,Količina i opis apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referentni broj i reference Datum obvezna je za banke transakcije +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Postavite Nameing Series za {0} putem Postavke> Postavke> Imenovanje serija DocType: Purchase Receipt,Add / Edit Taxes and Charges,Dodaj / uredi porez i pristojbe DocType: Payment Entry Reference,Supplier Invoice No,Dobavljač Račun br DocType: Territory,For reference,Za referencu @@ -4238,6 +4240,8 @@ DocType: Homepage,Homepage,Početna DocType: Grant Application,Grant Application Details ,Pojedinosti o podnošenju zahtjeva DocType: Employee Separation,Employee Separation,Razdvajanje zaposlenika DocType: BOM Item,Original Item,Izvorna stavka +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Izbrišite zaposlenika {0} \ da biste otkazali ovaj dokument" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Datum dokumenta apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Naknada zapisa nastalih - {0} DocType: Asset Category Account,Asset Category Account,Imovina Kategorija račun @@ -5267,6 +5271,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Troškovi raz apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Postavljanje Događaji na {0}, budući da je zaposlenik u prilogu niže prodaje osoba nema ID korisnika {1}" DocType: Timesheet,Billing Details,Detalji o naplati apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Izvorna i odredišna skladište mora biti drugačiji +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sustav imenovanja zaposlenika u Ljudski resursi> HR postavke apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Plaćanje neuspjelo. Više pojedinosti potražite u svojem računu za GoCardless apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nije dopušteno ažuriranje skladišnih transakcija starijih od {0} DocType: Stock Entry,Inspection Required,Inspekcija Obvezno @@ -5500,6 +5505,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Trenutni troškovnik i novi troškovnik ne mogu biti isti apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Plaća proklizavanja ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Datum umirovljenja mora biti veći od datuma pristupa +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> vrsta dobavljača apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Višestruke inačice DocType: Sales Invoice,Against Income Account,Protiv računu dohotka apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Isporučeno @@ -6329,6 +6335,7 @@ DocType: Program Enrollment,Institute's Bus,Autobus instituta DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Uloga dopušteno postavljanje blokada računa i uređivanje Frozen Entries DocType: Supplier Scorecard Scoring Variable,Path,Staza apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Ne može se pretvoriti troška za knjigu , kao da ima djece čvorova" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverzije UOM ({0} -> {1}) nije pronađen za stavku: {2} DocType: Production Plan,Total Planned Qty,Ukupni planirani broj apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transakcije su već povučene iz izjave apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Otvaranje vrijednost @@ -6551,6 +6558,7 @@ DocType: Lab Test,Result Date,Rezultat datuma DocType: Purchase Order,To Receive,Primiti DocType: Leave Period,Holiday List for Optional Leave,Popis za odmor za izborni dopust DocType: Item Tax Template,Tax Rates,Porezne stope +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod artikla> Grupa artikala> Marka DocType: Asset,Asset Owner,Vlasnik imovine DocType: Item,Website Content,Sadržaj web stranice DocType: Bank Account,Integration ID,Integracijski ID @@ -6677,6 +6685,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Dodatni trošak apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Ne možete filtrirati na temelju vaučer No , ako grupirani po vaučer" DocType: Quality Inspection,Incoming,Dolazni +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Postavite brojevnu seriju za Attendance putem Postavljanje> Numeriranje serija apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Osnovni su predlošci poreza za prodaju i kupnju. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Zapis ocjena rezultata {0} već postoji. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Primjer: ABCD. #####. Ako je niz postavljen, a transakcije se ne navode u Batch No, tada će se automatski izračunati broj serije na temelju ove serije. Ako uvijek želite izričito spomenuti Nijednu seriju za ovu stavku, ostavite to prazno. Napomena: ta će postavka imati prednost pred Prefiksom serije naziva u Stock Settings." @@ -7018,6 +7027,7 @@ DocType: Journal Entry,Write Off Entry,Otpis unos DocType: BOM,Rate Of Materials Based On,Stopa materijali na temelju DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ako je omogućeno, polje Akademsko razdoblje bit će obvezno u Alatu za upis na program." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Vrijednosti izuzetih, nultih bodova i unutarnjih isporuka bez GST-a" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> Grupa kupaca> Teritorij apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Tvrtka je obvezan filtar. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Poništite sve DocType: Purchase Taxes and Charges,On Item Quantity,Na Količina predmeta @@ -7062,6 +7072,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Pridružiti apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Nedostatak Kom DocType: Purchase Invoice,Input Service Distributor,Distributer ulaznih usluga apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Inačica Stavka {0} postoji s istim atributima +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Postavite sustav imenovanja instruktora u Obrazovanje> Postavke obrazovanja DocType: Loan,Repay from Salary,Vrati iz plaće DocType: Exotel Settings,API Token,API token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Zahtjev za isplatu od {0} {1} za iznos {2} diff --git a/erpnext/translations/hu.csv b/erpnext/translations/hu.csv index 857791c131..19e2b1ce0c 100644 --- a/erpnext/translations/hu.csv +++ b/erpnext/translations/hu.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,Új Anyagjegyzék apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Előírt eljárások apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Csak POS megjelenítése DocType: Supplier Group,Supplier Group Name,A beszállító csoport neve +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Jelölje meg a részvételt mint DocType: Driver,Driving License Categories,Vezetői engedély kategóriái apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Kérjük, adja meg a szállítási határidőt" DocType: Depreciation Schedule,Make Depreciation Entry,ÉCS bejegyzés generálás @@ -997,6 +998,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Vállalati tranzakciók törlése DocType: Production Plan Item,Quantity and Description,Mennyiség és leírás apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Hivatkozási szám és Referencia dátum kötelező a Banki tranzakcióhoz +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Kérjük, állítsa a Naming Series értékét a (z) {0} beállításra a Beállítás> Beállítások> Soros elnevezés menüponttal" DocType: Purchase Receipt,Add / Edit Taxes and Charges,Adók és költségek hozzáadása / szerkesztése DocType: Payment Entry Reference,Supplier Invoice No,Beszállítói számla száma DocType: Territory,For reference,Referenciaként @@ -4198,6 +4200,8 @@ DocType: Homepage,Homepage,Kezdőlap DocType: Grant Application,Grant Application Details ,Támogatási kérelem részletei DocType: Employee Separation,Employee Separation,Munkavállalói elválasztás DocType: BOM Item,Original Item,Eredeti tétel +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Kérjük, törölje a (z) {0} alkalmazottat a dokumentum visszavonásához" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc dátum apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Díj rekordok létrehozva - {0} DocType: Asset Category Account,Asset Category Account,Vagyontárgy kategória főkönyvi számla @@ -5214,6 +5218,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Különböző apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Beállítás Események {0}, mivel az Alkalmazott hozzácsatolt a lenti értékesítőkhöz, akiknek nincsenek felhasználói azonosítói: {1}" DocType: Timesheet,Billing Details,Számlázási adatok apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Forrás és cél raktárnak különböznie kell +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Kérjük, állítsa be a Munkavállalók elnevezési rendszerét a Humán erőforrás> HR beállítások menüpontban" apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Fizetés meghiúsult. További részletekért tekintse meg GoCardless-fiókját apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},"Nem engedélyezett a készlet tranzakciók frissítése, mely régebbi, mint {0}" DocType: Stock Entry,Inspection Required,Minőség-ellenőrzés szükséges @@ -5447,6 +5452,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Jelenlegi anyagjegyzék és az ÚJ anyagjegyzés nem lehet ugyanaz apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Bérpapír ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,"Nyugdíjazás dátumának nagyobbnak kell lennie, mint Csatlakozás dátuma" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Szállító> Beszállító típusa apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Több változat DocType: Sales Invoice,Against Income Account,Elleni jövedelem számla apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% szállítva @@ -6275,6 +6281,7 @@ DocType: Program Enrollment,Institute's Bus,Intézmény busza DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Beosztás élesítheni a zárolt számlákat & szerkeszthesse a zárolt bejegyzéseket DocType: Supplier Scorecard Scoring Variable,Path,Útvonal apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Nem lehet átalakítani költséghelyet főkönyvi számlán hiszen vannak al csomópontjai +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverziós tényező ({0} -> {1}) nem található az elemre: {2} DocType: Production Plan,Total Planned Qty,Teljes tervezett mennyiség apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,A tranzakciók már visszavonultak a nyilatkozatból apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Nyitó érték @@ -6495,6 +6502,7 @@ DocType: Lab Test,Result Date,Eredmény dátuma DocType: Purchase Order,To Receive,Beérkeztetés DocType: Leave Period,Holiday List for Optional Leave,Távolléti lista az opcionális távollétekhez DocType: Item Tax Template,Tax Rates,Adókulcsok +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cikkszám> Tételcsoport> Márka DocType: Asset,Asset Owner,Vagyontárgy tulajdonos DocType: Item,Website Content,Weboldal tartalma DocType: Bank Account,Integration ID,Integrációs azonosító @@ -6620,6 +6628,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Járulékos költség apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nem tudja szűrni utalvány szám alapján, ha utalványonként csoportosított" DocType: Quality Inspection,Incoming,Bejövő +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Kérjük, állítsa be a számozási sorozatokat a jelenléthez a Beállítás> Számozási sorozat segítségével" apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Az értékesítés és a vásárlás alapértelmezett adómintáit létre hozták. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Értékelés eredménye rekord {0} már létezik. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Példa: ABCD. #####. Ha sorozatot állít be, és a tétel nem szerepel a tranzakciókban, akkor a sorozaton alapuló automatikus tételszám kerül létrehozásra. Ha mindig erről a tételr köteg számról szeretné kifejezetten megemlíteni a tételszámot, hagyja üresen. Megjegyzés: ez a beállítás elsőbbséget élvez a készletbeállítások között az elnevezési sorozat előtag felett a leltár beállításoknál." @@ -6961,6 +6970,7 @@ DocType: Journal Entry,Write Off Entry,Leíró Bejegyzés DocType: BOM,Rate Of Materials Based On,Anyagköltség számítás módja DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ha engedélyezve van, az Akadémiai mező mező kötelező lesz a program beiratkozási eszközben." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Az adómentes, nulla névleges és nem GST behozatali termékek értékei" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Vevő> Vevőcsoport> Terület apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,A társaság kötelező szűrő. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Összes kijelöletlen DocType: Purchase Taxes and Charges,On Item Quantity,A tétel mennyiségen @@ -7005,6 +7015,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Csatlakozik apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Hiány Mennyisége DocType: Purchase Invoice,Input Service Distributor,Bemeneti szolgáltató apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Tétel változat {0} létezik azonos Jellemzőkkel +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Kérjük, állítsa be az Oktató elnevezési rendszert az Oktatás> Oktatási beállítások menüben" DocType: Loan,Repay from Salary,Bérből törleszteni DocType: Exotel Settings,API Token,API token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Fizetési igény ehhez {0} {1} ezzel az összeggel {2} diff --git a/erpnext/translations/id.csv b/erpnext/translations/id.csv index 3c3d609121..9d3b1c446d 100644 --- a/erpnext/translations/id.csv +++ b/erpnext/translations/id.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,BOM Baru apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Prosedur yang Ditetapkan apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Hanya tampilkan POS DocType: Supplier Group,Supplier Group Name,Nama Grup Pemasok +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Tandai kehadiran sebagai DocType: Driver,Driving License Categories,Kategori Lisensi Mengemudi apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Harap masukkan Tanggal Pengiriman DocType: Depreciation Schedule,Make Depreciation Entry,Membuat Penyusutan Masuk @@ -999,6 +1000,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Hapus Transaksi Perusahaan DocType: Production Plan Item,Quantity and Description,Kuantitas dan Deskripsi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referensi ada dan Tanggal referensi wajib untuk transaksi Bank +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Silakan tentukan Seri Penamaan untuk {0} melalui Pengaturan> Pengaturan> Seri Penamaan DocType: Purchase Receipt,Add / Edit Taxes and Charges,Tambah / Edit Pajak dan Biaya DocType: Payment Entry Reference,Supplier Invoice No,Nomor Faktur Supplier DocType: Territory,For reference,Untuk referensi @@ -4221,6 +4223,8 @@ DocType: Homepage,Homepage,Homepage DocType: Grant Application,Grant Application Details ,Berikan Rincian Aplikasi DocType: Employee Separation,Employee Separation,Pemisahan Karyawan DocType: BOM Item,Original Item,Barang Asli +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Hapus Karyawan {0} \ untuk membatalkan dokumen ini" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Tanggal Dokumen apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Biaya Rekaman Dibuat - {0} DocType: Asset Category Account,Asset Category Account,Aset Kategori Akun @@ -5238,6 +5242,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Biaya berbaga apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Mengatur Acara untuk {0}, karena karyawan yang melekat di bawah Penjualan Orang tidak memiliki User ID {1}" DocType: Timesheet,Billing Details,Detail penagihan apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Sumber dan gudang target harus berbeda +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Silakan atur Sistem Penamaan Karyawan di Sumber Daya Manusia> Pengaturan SDM apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Pembayaran gagal. Silakan periksa Akun GoCardless Anda untuk lebih jelasnya apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Tidak diizinkan memperbarui transaksi persediaan lebih lama dari {0} DocType: Stock Entry,Inspection Required,Inspeksi Diperlukan @@ -5471,6 +5476,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM Lancar dan New BOM tidak bisa sama apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Slip Gaji ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Tanggal Of Pensiun harus lebih besar dari Tanggal Bergabung +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pemasok> Jenis Pemasok apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Beberapa varian DocType: Sales Invoice,Against Income Account,Terhadap Akun Pendapatan apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Terkirim @@ -6300,6 +6306,7 @@ DocType: Program Enrollment,Institute's Bus,Bus Institut DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Peran Diizinkan Set Beku Account & Edit Frozen Entri DocType: Supplier Scorecard Scoring Variable,Path,Jalan apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Tidak dapat mengkonversi Pusat Biaya untuk buku karena memiliki node anak +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor Konversi UOM ({0} -> {1}) tidak ditemukan untuk item: {2} DocType: Production Plan,Total Planned Qty,Total Rencana Qty apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transaksi sudah diambil dari pernyataan apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Nilai pembukaan @@ -6522,6 +6529,7 @@ DocType: Lab Test,Result Date,Tanggal hasil DocType: Purchase Order,To Receive,Menerima DocType: Leave Period,Holiday List for Optional Leave,Daftar Liburan untuk Cuti Opsional DocType: Item Tax Template,Tax Rates,Tarif pajak +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kode Barang> Grup Barang> Merek DocType: Asset,Asset Owner,Pemilik aset DocType: Item,Website Content,Konten situs web DocType: Bank Account,Integration ID,ID Integrasi @@ -6647,6 +6655,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Biaya tambahan apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Tidak dapat memfilter berdasarkan No. Voucher, jika dikelompokkan berdasarkan Voucher" DocType: Quality Inspection,Incoming,Incoming +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Silakan atur seri penomoran untuk Kehadiran melalui Pengaturan> Seri Penomoran apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Template pajak default untuk penjualan dan pembelian telah dibuat. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Catatan Hasil Penilaian {0} sudah ada. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Contoh: ABCD. #####. Jika seri disetel dan Batch No tidak disebutkan dalam transaksi, maka nomor bets otomatis akan dibuat berdasarkan seri ini. Jika Anda selalu ingin menyebutkan secara eksplisit Batch No untuk item ini, biarkan ini kosong. Catatan: pengaturan ini akan menjadi prioritas di atas Awalan Seri Penamaan dalam Pengaturan Stok." @@ -6988,6 +6997,7 @@ DocType: Journal Entry,Write Off Entry,Menulis Off Entri DocType: BOM,Rate Of Materials Based On,Laju Bahan Berbasis On DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Jika diaktifkan, bidang Istilah Akademik akan Wajib di Alat Pendaftaran Program." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Nilai pasokan masuk yang dikecualikan, nihil, dan non-GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Grup Pelanggan> Wilayah apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Perusahaan adalah filter wajib. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Jangan tandai semua DocType: Purchase Taxes and Charges,On Item Quantity,Pada Kuantitas Barang @@ -7032,6 +7042,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Bergabung apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Kekurangan Jumlah DocType: Purchase Invoice,Input Service Distributor,Distributor Layanan Input apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Item varian {0} ada dengan atribut yang sama +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Silakan siapkan Sistem Penamaan Instruktur di Pendidikan> Pengaturan Pendidikan DocType: Loan,Repay from Salary,Membayar dari Gaji DocType: Exotel Settings,API Token,Token API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Meminta pembayaran terhadap {0} {1} untuk jumlah {2} diff --git a/erpnext/translations/is.csv b/erpnext/translations/is.csv index 5df8d537bb..f32513f277 100644 --- a/erpnext/translations/is.csv +++ b/erpnext/translations/is.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,ný BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Fyrirframgreindar aðferðir apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Sýna aðeins POS DocType: Supplier Group,Supplier Group Name,Nafn seljanda +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Merkja mætingu sem DocType: Driver,Driving License Categories,Ökuskírteini Flokkar apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Vinsamlegast sláðu inn afhendingardagsetningu DocType: Depreciation Schedule,Make Depreciation Entry,Gera Afskriftir færslu @@ -999,6 +1000,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Eyða Transactions Fyrirtækið DocType: Production Plan Item,Quantity and Description,Magn og lýsing apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Tilvísun Nei og Frestdagur er nauðsynlegur fyrir banka viðskiptin +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vinsamlegast stilltu Naming Series fyrir {0} með Setup> Settings> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Bæta við / breyta sköttum og gjöldum DocType: Payment Entry Reference,Supplier Invoice No,Birgir Reikningur nr DocType: Territory,For reference,til viðmiðunar @@ -4199,6 +4201,8 @@ DocType: Homepage,Homepage,heimasíða DocType: Grant Application,Grant Application Details ,Veita umsókn upplýsingar DocType: Employee Separation,Employee Separation,Aðskilnaður starfsmanna DocType: BOM Item,Original Item,Upprunalegt atriði +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Vinsamlegast eytt starfsmanninum {0} \ til að hætta við þetta skjal" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Skjal dagsetning apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Búið - {0} DocType: Asset Category Account,Asset Category Account,Asset Flokkur Reikningur @@ -5216,6 +5220,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Kostnaður vi apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Stilling viðburðir til {0}, þar sem Starfsmannafélag fylgir að neðan sölufólk er ekki með notendanafn {1}" DocType: Timesheet,Billing Details,Billing Upplýsingar apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Uppspretta og miða vöruhús verður að vera öðruvísi +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vinsamlegast settu upp nafnakerfi starfsmanna í mannauð> HR stillingar apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Greiðsla mistókst. Vinsamlegast athugaðu GoCardless reikninginn þinn til að fá frekari upplýsingar apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ekki leyft að uppfæra lager viðskipti eldri en {0} DocType: Stock Entry,Inspection Required,skoðun Required @@ -5449,6 +5454,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Núverandi BOM og New BOM getur ekki verið það sama apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Laun Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Dagsetning starfsloka verður að vera hærri en Dagsetning Tengja +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Birgir> Gerð birgis apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Margfeldi afbrigði DocType: Sales Invoice,Against Income Account,Against þáttatekjum apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Skilað @@ -6278,6 +6284,7 @@ DocType: Program Enrollment,Institute's Bus,Rútur stofnunarinnar DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Hlutverk leyft að setja á frysta reikninga & Sýsla Frozen færslur DocType: Supplier Scorecard Scoring Variable,Path,Leið apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Ekki hægt að umbreyta Kostnaður Center til aðalbók eins og það hefur barnið hnúta +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM viðskiptaþáttur ({0} -> {1}) fannst ekki fyrir hlutinn: {2} DocType: Production Plan,Total Planned Qty,Samtals áætlað magn apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Viðskipti hafa þegar verið endurheimt frá yfirlýsingunni apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,opnun Value @@ -6500,6 +6507,7 @@ DocType: Lab Test,Result Date,Niðurstaða Dagsetning DocType: Purchase Order,To Receive,Til að taka á móti DocType: Leave Period,Holiday List for Optional Leave,Holiday List fyrir valfrjálst leyfi DocType: Item Tax Template,Tax Rates,Skattaverð +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Atriðakóði> Vöruflokkur> Vörumerki DocType: Asset,Asset Owner,Eigandi eigna DocType: Item,Website Content,Innihald vefsíðu DocType: Bank Account,Integration ID,Sameiningarkenni @@ -6625,6 +6633,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,aukakostnaðar apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",Getur ekki síað byggð á skírteini nr ef flokkaðar eftir skírteini DocType: Quality Inspection,Incoming,Komandi +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vinsamlegast settu upp númeraröð fyrir mætingu með uppsetningu> Númeraröð apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Sjálfgefin skatta sniðmát fyrir sölu og kaup eru búnar til. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Niðurstaða mats {0} er þegar til. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",Dæmi: ABCD. #####. Ef röð er stillt og lota nr er ekki getið í viðskiptum þá verður sjálfkrafa lotunúmer búið til byggt á þessari röð. Ef þú vilt alltaf nefna lotu nr. Fyrir þetta atriði skaltu láta þetta vera autt. Athugaðu: Þessi stilling mun taka forgang yfir forskeyti fyrir nafngiftaröð í lagerstillingum. @@ -6966,6 +6975,7 @@ DocType: Journal Entry,Write Off Entry,Skrifaðu Off færslu DocType: BOM,Rate Of Materials Based On,Hlutfall af efni byggt á DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ef slökkt er á, verður fræðasvið akur að vera skylt í forritaskráningartól." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Gildi undanþeginna, óverðmætra birgða sem eru ekki metin og ekki GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Viðskiptavinur> Viðskiptavinahópur> Landsvæði apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Fyrirtækið er lögboðin sía. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Afhakaðu allt DocType: Purchase Taxes and Charges,On Item Quantity,Um magn hlutar @@ -7010,6 +7020,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Join apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,skortur Magn DocType: Purchase Invoice,Input Service Distributor,Dreifingaraðili fyrir inntak apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Liður afbrigði {0} hendi með sömu eiginleika +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vinsamlegast settu upp kennslukerfi kennslukerfis í menntun> Menntunarstillingar DocType: Loan,Repay from Salary,Endurgreiða frá Laun DocType: Exotel Settings,API Token,API auðkenni apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Biðum greiðslu gegn {0} {1} fyrir upphæð {2} diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv index ce69518211..6667122d6f 100644 --- a/erpnext/translations/it.csv +++ b/erpnext/translations/it.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,Nuova Distinta Base apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procedure prescritte apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Mostra solo POS DocType: Supplier Group,Supplier Group Name,Nome del gruppo di fornitori +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Segna la partecipazione come DocType: Driver,Driving License Categories,Categorie di patenti di guida apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Inserisci la Data di Consegna DocType: Depreciation Schedule,Make Depreciation Entry,Crea una scrittura per l'ammortamento @@ -999,6 +1000,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Elimina transazioni Azienda DocType: Production Plan Item,Quantity and Description,Quantità e descrizione apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Di riferimento e di riferimento Data è obbligatoria per la transazione Bank +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Impostare Naming Series per {0} tramite Setup> Impostazioni> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Aggiungere / Modificare tasse e ricarichi DocType: Payment Entry Reference,Supplier Invoice No,Fattura Fornitore N. DocType: Territory,For reference,Per riferimento @@ -4240,6 +4242,8 @@ DocType: Homepage,Homepage,Homepage DocType: Grant Application,Grant Application Details ,Concedere i dettagli dell'applicazione DocType: Employee Separation,Employee Separation,Separazione dei dipendenti DocType: BOM Item,Original Item,Articolo originale +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Elimina il dipendente {0} \ per annullare questo documento" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Data apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Records Fee Creato - {0} DocType: Asset Category Account,Asset Category Account,Asset Categoria account @@ -5269,6 +5273,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Costo di vari apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Impostazione Eventi a {0}, in quanto il dipendente attaccato al di sotto personale di vendita non dispone di un ID utente {1}" DocType: Timesheet,Billing Details,Dettagli di fatturazione apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Magazzino di Origine e di Destinazione devono essere diversi +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configurare il sistema di denominazione dei dipendenti in Risorse umane> Impostazioni risorse umane apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Pagamento fallito. Controlla il tuo account GoCardless per maggiori dettagli apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Non è permesso aggiornare i documenti di magazzino di età superiore a {0} DocType: Stock Entry,Inspection Required,Ispezione Obbligatorio @@ -5502,6 +5507,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM corrente e New BOM non può essere lo stesso apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Stipendio slittamento ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,La Data di pensionamento deve essere successiva alla Data Assunzione +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornitore> Tipo di fornitore apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Varianti multiple DocType: Sales Invoice,Against Income Account,Per Reddito Conto apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Consegnato @@ -6332,6 +6338,7 @@ DocType: Program Enrollment,Institute's Bus,Bus dell'Istituto DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Ruolo permesso di impostare conti congelati e modificare le voci congelati DocType: Supplier Scorecard Scoring Variable,Path,Percorso apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Impossibile convertire centro di costo a registro come ha nodi figlio +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Fattore di conversione UOM ({0} -> {1}) non trovato per l'articolo: {2} DocType: Production Plan,Total Planned Qty,Qtà totale pianificata apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transazioni già recuperate dall'istruzione apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valore di apertura @@ -6554,6 +6561,7 @@ DocType: Lab Test,Result Date,Data di risultato DocType: Purchase Order,To Receive,Ricevere DocType: Leave Period,Holiday List for Optional Leave,Lista vacanze per ferie facoltative DocType: Item Tax Template,Tax Rates,Aliquote fiscali +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codice articolo> Gruppo articoli> Marchio DocType: Asset,Asset Owner,Proprietario del bene DocType: Item,Website Content,Contenuto del sito Web DocType: Bank Account,Integration ID,ID integrazione @@ -6679,6 +6687,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Costo aggiuntivo apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Non è possibile filtrare sulla base del N. Voucher, se raggruppati per Voucher" DocType: Quality Inspection,Incoming,In arrivo +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Impostare le serie di numerazione per la partecipazione tramite Impostazione> Serie di numerazione apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Vengono creati modelli di imposta predefiniti per vendite e acquisti. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Risultato della valutazione {0} già esistente. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Esempio: ABCD. #####. Se la serie è impostata e il numero di lotto non è menzionato nelle transazioni, verrà creato il numero di lotto automatico in base a questa serie. Se vuoi sempre menzionare esplicitamente il numero di lotto per questo articolo, lascia vuoto. Nota: questa impostazione avrà la priorità sul Prefisso serie di denominazione nelle Impostazioni stock." @@ -7020,6 +7029,7 @@ DocType: Journal Entry,Write Off Entry,Entry di Svalutazione DocType: BOM,Rate Of Materials Based On,Tasso di materiali a base di DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Se abilitato, il campo Periodo Accademico sarà obbligatorio nello Strumento di Registrazione del Programma." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Valori di forniture interne esenti, nulli e non GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Gruppo di clienti> Territorio apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,La società è un filtro obbligatorio. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Deseleziona tutto DocType: Purchase Taxes and Charges,On Item Quantity,Sulla quantità dell'articolo @@ -7064,6 +7074,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Aderire apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Carenza Quantità DocType: Purchase Invoice,Input Service Distributor,Distributore di servizi di input apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Variante item {0} esiste con le stesse caratteristiche +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configura il sistema di denominazione dell'istruttore in Istruzione> Impostazioni istruzione DocType: Loan,Repay from Salary,Rimborsare da Retribuzione DocType: Exotel Settings,API Token,Token API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Richiesta di Pagamento contro {0} {1} per quantità {2} diff --git a/erpnext/translations/ja.csv b/erpnext/translations/ja.csv index 0dc49e4090..19053269f4 100644 --- a/erpnext/translations/ja.csv +++ b/erpnext/translations/ja.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,新しい部品表 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,規定の手続き apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POSのみ表示 DocType: Supplier Group,Supplier Group Name,サプライヤグループ名 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,出席としてマーク DocType: Driver,Driving License Categories,運転免許のカテゴリ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,納期を入力してください DocType: Depreciation Schedule,Make Depreciation Entry,減価償却のエントリを作成します @@ -1000,6 +1001,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,会社の取引を削除 DocType: Production Plan Item,Quantity and Description,数量と説明 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,銀行取引には参照番号と参照日が必須です +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,[設定]> [設定]> [命名シリーズ]で{0}の命名シリーズを設定してください DocType: Purchase Receipt,Add / Edit Taxes and Charges,租税公課の追加/編集 DocType: Payment Entry Reference,Supplier Invoice No,サプライヤー請求番号 DocType: Territory,For reference,参考のため @@ -4257,6 +4259,8 @@ DocType: Homepage,Homepage,ホームページ DocType: Grant Application,Grant Application Details ,助成金申請詳細 DocType: Employee Separation,Employee Separation,従業員の分離 DocType: BOM Item,Original Item,オリジナルアイテム +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","このドキュメントをキャンセルするには、従業員{0} \を削除してください" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ドキュメントの日付 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},作成したフィーレコード - {0} DocType: Asset Category Account,Asset Category Account,資産カテゴリーアカウント @@ -5285,6 +5289,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,様々な活 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",以下の営業担当者に配置された従業員にはユーザーID {1} が無いため、{0}にイベントを設定します DocType: Timesheet,Billing Details,支払明細 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ソースとターゲット・ウェアハウスは異なっている必要があります +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,人事管理> HR設定で従業員命名システムを設定してください apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,支払いに失敗しました。詳細はGoCardlessアカウントで確認してください apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0}よりも古い在庫取引を更新することはできません DocType: Stock Entry,Inspection Required,要検査 @@ -5518,6 +5523,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,「現在の部品表」と「新しい部品表」は同じにすることはできません apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,給与明細ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,退職日は入社日より後でなければなりません +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,サプライヤ>サプライヤタイプ apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,複数のバリエーション DocType: Sales Invoice,Against Income Account,対損益勘定 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}%配送済 @@ -6347,6 +6353,7 @@ DocType: Program Enrollment,Institute's Bus,研究所のバス DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,アカウントの凍結と凍結エントリの編集が許可された役割 DocType: Supplier Scorecard Scoring Variable,Path,パス apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,子ノードがあるため、コストセンターを元帳に変換することはできません +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},アイテムのUOM換算係数({0}-> {1})が見つかりません:{2} DocType: Production Plan,Total Planned Qty,計画総数 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ステートメントからすでに取り出されたトランザクション apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,始値 @@ -6569,6 +6576,7 @@ DocType: Lab Test,Result Date,結果の日付 DocType: Purchase Order,To Receive,受領する DocType: Leave Period,Holiday List for Optional Leave,オプション休暇の休日一覧 DocType: Item Tax Template,Tax Rates,税率 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品コード>商品グループ>ブランド DocType: Asset,Asset Owner,資産所有者 DocType: Item,Website Content,ウェブサイトのコンテンツ DocType: Bank Account,Integration ID,統合ID @@ -6695,6 +6703,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,追加費用 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",伝票でグループ化されている場合、伝票番号でフィルタリングすることはできません。 DocType: Quality Inspection,Incoming,収入 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,[設定]> [番号シリーズ]を使用して、出席の番号シリーズを設定してください apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,販売および購買のデフォルト税テンプレートが登録されます。 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,評価結果レコード{0}は既に存在します。 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",例:ABCD。#####。 seriesが設定され、トランザクションでBatch Noが指定されていない場合、このシリーズに基づいて自動バッチ番号が作成されます。この項目のBatch Noを明示的に指定する場合は、この項目を空白のままにしておきます。注:この設定は、ストック設定のネーミングシリーズ接頭辞よりも優先されます。 @@ -7034,6 +7043,7 @@ DocType: Journal Entry,Write Off Entry,償却エントリ DocType: BOM,Rate Of Materials Based On,資材単価基準 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",有効にすると、Program Enrollment ToolにAcademic Termフィールドが必須となります。 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",免除、ゼロ評価および非GSTの対内供給の価値 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,顧客>顧客グループ>テリトリー apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,会社は必須フィルターです。 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,すべて選択解除 DocType: Purchase Taxes and Charges,On Item Quantity,商品数量について @@ -7078,6 +7088,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,参加 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,不足数量 DocType: Purchase Invoice,Input Service Distributor,入力サービス配給業者 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,アイテムバリエーション{0}は同じ属性で存在しています +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,[教育]> [教育の設定]でインストラクターの命名システムを設定してください DocType: Loan,Repay from Salary,給与から返済 DocType: Exotel Settings,API Token,APIトークン apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},量 {2} 用の {0} {1}に対する支払依頼 diff --git a/erpnext/translations/km.csv b/erpnext/translations/km.csv index 1c0d27f1f4..57d9b9355c 100644 --- a/erpnext/translations/km.csv +++ b/erpnext/translations/km.csv @@ -387,6 +387,7 @@ DocType: BOM Update Tool,New BOM,Bom ដែលថ្មី apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,នីតិវិធីដែលបានកំណត់ apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,បង្ហាញតែម៉ាស៊ីនឆូតកាត DocType: Supplier Group,Supplier Group Name,ឈ្មោះក្រុមអ្នកផ្គត់ផ្គង់ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,សម្គាល់ការចូលរួមជា DocType: Driver,Driving License Categories,អាជ្ញាប័ណ្ណបើកបរប្រភេទ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,សូមបញ្ចូលកាលបរិច្ឆេទដឹកជញ្ជូន DocType: Depreciation Schedule,Make Depreciation Entry,ធ្វើឱ្យធាតុរំលស់ @@ -990,6 +991,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,លុបប្រតិបត្តិការក្រុមហ៊ុន DocType: Production Plan Item,Quantity and Description,បរិមាណនិងការពិពណ៌នា។ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,សេចក្តីយោងកាលបរិច្ឆេទទេនិងយោងចាំបាច់សម្រាប់ប្រតិបត្តិការគឺធនាគារ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,សូមកំណត់ឈ្មោះដាក់ឈ្មោះសំរាប់ {0} តាមរយៈតំឡើង> ការកំណត់> តំរុយឈ្មោះ DocType: Purchase Receipt,Add / Edit Taxes and Charges,បន្ថែម / កែសម្រួលពន្ធនិងការចោទប្រកាន់ DocType: Payment Entry Reference,Supplier Invoice No,វិក័យប័ត្រគ្មានការផ្គត់ផ្គង់ DocType: Territory,For reference,សម្រាប់ជាឯកសារយោង @@ -4167,6 +4169,8 @@ DocType: Homepage,Homepage,គេហទំព័រ DocType: Grant Application,Grant Application Details ,ផ្តល់សេចក្តីលម្អិតអំពីការអនុវត្ត DocType: Employee Separation,Employee Separation,ការបំបែកបុគ្គលិក DocType: BOM Item,Original Item,ធាតុដើម +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","សូមលុបនិយោជិក {0} \ ដើម្បីលុបចោលឯកសារនេះ" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,កាលបរិច្ឆេទឯកសារ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},កំណត់ត្រាថ្លៃសេវាបានបង្កើត - {0} DocType: Asset Category Account,Asset Category Account,គណនីទ្រព្យសកម្មប្រភេទ @@ -5172,6 +5176,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,ការច apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","ការកំណត់ព្រឹត្តិការណ៍ដើម្បី {0}, ចាប់តាំងពីបុគ្គលិកដែលបានភ្ជាប់ទៅខាងក្រោមនេះការលក់របស់បុគ្គលមិនមានលេខសម្គាល់អ្នកប្រើ {1}" DocType: Timesheet,Billing Details,សេចក្ដីលម្អិតវិក័យប័ត្រ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ប្រភពនិងឃ្លាំងគោលដៅត្រូវតែខុសគ្នា +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះនិយោជិកនៅក្នុងធនធានមនុស្ស> ការកំណត់ធនធានមនុស្ស apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ការទូទាត់បរាជ័យ។ សូមពិនិត្យមើលគណនី GoCardless របស់អ្នកសម្រាប់ព័ត៌មានលម្អិត apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},មិនត្រូវបានអនុញ្ញាតឱ្យធ្វើបច្ចុប្បន្នភាពប្រតិបតិ្តការភាគហ៊ុនចាស់ជាង {0} DocType: Stock Entry,Inspection Required,អធិការកិច្ចដែលបានទាមទារ @@ -5406,6 +5411,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Bom បច្ចុប្បន្ននិងថ្មី Bom មិនអាចជាដូចគ្នា apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,លេខសម្គាល់ប័ណ្ណប្រាក់ខែ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,កាលបរិច្ឆេទនៃការចូលនិវត្តន៍ត្រូវតែធំជាងកាលបរិច្ឆេទនៃការចូលរួម +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ក្រុមហ៊ុនផ្គត់ផ្គង់> ប្រភេទអ្នកផ្គត់ផ្គង់ apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,វ៉ារ្យ៉ង់ច្រើន DocType: Sales Invoice,Against Income Account,ប្រឆាំងនឹងគណនីចំណូល apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% ផ្តល់ @@ -6466,6 +6472,7 @@ DocType: Lab Test,Result Date,កាលបរិច្ឆេទលទ្ធផ DocType: Purchase Order,To Receive,ដើម្បីទទួលបាន DocType: Leave Period,Holiday List for Optional Leave,បញ្ជីថ្ងៃឈប់សម្រាកសម្រាប់ការចេញជម្រើស DocType: Item Tax Template,Tax Rates,អត្រាពន្ធ។ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,លេខកូដរបស់ក្រុម> ក្រុមក្រុម> ម៉ាក DocType: Asset,Asset Owner,ម្ចាស់ទ្រព្យ DocType: Item,Website Content,មាតិកាគេហទំព័រ។ DocType: Bank Account,Integration ID,លេខសម្គាល់សមាហរណកម្ម។ @@ -6592,6 +6599,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,ការចំណាយបន្ថែមទៀត apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",មិនអាចត្រងដោយផ្អែកលើប័ណ្ណគ្មានប្រសិនបើដាក់ជាក្រុមតាមប័ណ្ណ DocType: Quality Inspection,Incoming,មកដល់ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,សូមរៀបចំស៊េរីលេខរៀងសម្រាប់ការចូលរួមតាមរយៈតំឡើង> លេខរៀង apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,គំរូពន្ធលំនាំដើមសម្រាប់ការលក់និងការទិញត្រូវបានបង្កើត។ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,កំណត់ត្រាការវាយតំលៃ {0} មានរួចហើយ។ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",ឧទាហរណ៍: ABCD ។ ##### ។ ប្រសិនបើស៊េរីត្រូវបានកំណត់ហើយបាច់គ្មានត្រូវបានរៀបរាប់នៅក្នុងប្រតិបត្តិការបន្ទាប់មកលេខឡូហ្គោស្វ័យប្រវត្តិនឹងត្រូវបានបង្កើតឡើងដោយផ្អែកលើស៊េរីនេះ។ ប្រសិនបើអ្នកចង់និយាយបញ្ជាក់យ៉ាងច្បាស់ពីជំនាន់ទី 1 សម្រាប់ធាតុនេះសូមទុកវាឱ្យនៅទទេ។ ចំណាំ: ការកំណត់នេះនឹងយកអាទិភាពជាងបុព្វបទស៊េរីឈ្មោះក្នុងការកំណត់ស្តុក។ @@ -6933,6 +6941,7 @@ DocType: Journal Entry,Write Off Entry,បិទសរសេរធាតុ DocType: BOM,Rate Of Materials Based On,អត្រានៃសម្ភារៈមូលដ្ឋាននៅលើ DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",ប្រសិនបើបានបើកដំណើរការវគ្គសិក្សានឹងជាកាតព្វកិច្ចនៅក្នុងឧបករណ៍ចុះឈ្មោះកម្មវិធី។ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",គុណតម្លៃនៃការលើកលែង Nil rated និងមិនមែន GST ផ្គត់ផ្គង់ចូល។ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,អតិថិជន> ក្រុមអតិថិជន> ទឹកដី apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,ក្រុមហ៊ុន គឺជាតម្រងចាំបាច់។ apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,ដោះធីកទាំងអស់ DocType: Purchase Taxes and Charges,On Item Quantity,នៅលើបរិមាណធាតុ។ @@ -6978,6 +6987,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,ចូលរួម apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,កង្វះខាត Qty DocType: Purchase Invoice,Input Service Distributor,អ្នកចែកចាយសេវាកម្មបញ្ចូល។ apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,វ៉ារ្យ៉ង់ធាតុ {0} មានដែលមានគុណលក្ខណៈដូចគ្នា +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,សូមតំឡើងប្រព័ន្ធដាក់ឈ្មោះគ្រូនៅក្នុងការអប់រំ> ការកំណត់ការអប់រំ DocType: Loan,Repay from Salary,សងពីប្រាក់ខែ DocType: Exotel Settings,API Token,API ថូខឹន។ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},ស្នើសុំការទូទាត់ប្រឆាំងនឹង {0} {1} ចំនួន {2} diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv index 72be57dfe2..a513094580 100644 --- a/erpnext/translations/kn.csv +++ b/erpnext/translations/kn.csv @@ -381,6 +381,7 @@ DocType: BOM Update Tool,New BOM,ಹೊಸ BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,ಶಿಫಾರಸು ವಿಧಾನಗಳು apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,ಪಿಓಎಸ್ ಮಾತ್ರ ತೋರಿಸು DocType: Supplier Group,Supplier Group Name,ಪೂರೈಕೆದಾರ ಗುಂಪು ಹೆಸರು +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,ಹಾಜರಾತಿಯನ್ನು ಗುರುತಿಸಿ DocType: Driver,Driving License Categories,ಚಾಲಕ ಪರವಾನಗಿ ವರ್ಗಗಳು apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,ದಯವಿಟ್ಟು ಡೆಲಿವರಿ ದಿನಾಂಕವನ್ನು ನಮೂದಿಸಿ DocType: Depreciation Schedule,Make Depreciation Entry,ಸವಕಳಿ ಎಂಟ್ರಿ ಮಾಡಿ @@ -4192,6 +4193,8 @@ DocType: Homepage,Homepage,ಮುಖಪುಟ DocType: Grant Application,Grant Application Details ,ಅನುದಾನ ಅಪ್ಲಿಕೇಶನ್ ವಿವರಗಳು DocType: Employee Separation,Employee Separation,ಉದ್ಯೋಗಿ ಪ್ರತ್ಯೇಕಿಸುವಿಕೆ DocType: BOM Item,Original Item,ಮೂಲ ಐಟಂ +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ಈ ಡಾಕ್ಯುಮೆಂಟ್ ರದ್ದುಗೊಳಿಸಲು ದಯವಿಟ್ಟು ನೌಕರ {0} delete ಅನ್ನು ಅಳಿಸಿ" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ಡಾಕ್ ದಿನಾಂಕ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ಶುಲ್ಕ ರೆಕಾರ್ಡ್ಸ್ ರಚಿಸಲಾಗಿದೆ - {0} DocType: Asset Category Account,Asset Category Account,ಆಸ್ತಿ ವರ್ಗ ಖಾತೆ @@ -5204,6 +5207,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,ಅನೇ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",ಕ್ರಿಯೆಗಳು ಹೊಂದಿಸಲಾಗುತ್ತಿದೆ {0} ರಿಂದ ಮಾರಾಟದ ವ್ಯಕ್ತಿಗಳು ಕೆಳಗೆ ಜೋಡಿಸಲಾದ ನೌಕರರ ಒಂದು ಬಳಕೆದಾರ ID ಹೊಂದಿಲ್ಲ {1} DocType: Timesheet,Billing Details,ಬಿಲ್ಲಿಂಗ್ ವಿವರಗಳು apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ಮೂಲ ಮತ್ತು ಗುರಿ ಗೋದಾಮಿನ ಬೇರೆಯಾಗಿರಬೇಕು +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ದಯವಿಟ್ಟು ಮಾನವ ಸಂಪನ್ಮೂಲ> ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ನೌಕರರ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಹೊಂದಿಸಿ apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ಪಾವತಿ ವಿಫಲವಾಗಿದೆ. ದಯವಿಟ್ಟು ಹೆಚ್ಚಿನ ವಿವರಗಳಿಗಾಗಿ ನಿಮ್ಮ GoCardless ಖಾತೆಯನ್ನು ಪರಿಶೀಲಿಸಿ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},ಹೆಚ್ಚು ಸ್ಟಾಕ್ ವ್ಯವಹಾರ ಹಳೆಯ ನವೀಕರಿಸಲು ಅವಕಾಶ {0} DocType: Stock Entry,Inspection Required,ಇನ್ಸ್ಪೆಕ್ಷನ್ ಅಗತ್ಯವಿದೆ @@ -5434,6 +5438,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,ಪ್ರಸ್ತುತ BOM ಮತ್ತು ಹೊಸ BOM ಇರಲಾಗುವುದಿಲ್ಲ apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ಸಂಬಳ ಸ್ಲಿಪ್ ಐಡಿ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,ನಿವೃತ್ತಿ ದಿನಾಂಕ ಸೇರುವ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ಸರಬರಾಜುದಾರ> ಪೂರೈಕೆದಾರ ಪ್ರಕಾರ apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,ಬಹು ರೂಪಾಂತರಗಳು DocType: Sales Invoice,Against Income Account,ಆದಾಯ ಖಾತೆ ವಿರುದ್ಧ apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% ತಲುಪಿಸಲಾಗಿದೆ @@ -6264,6 +6269,7 @@ DocType: Program Enrollment,Institute's Bus,ಇನ್ಸ್ಟಿಟ್ಯೂಟ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ಪಾತ್ರವನ್ನು ಘನೀಕೃತ ಖಾತೆಗಳು & ಸಂಪಾದಿಸಿ ಘನೀಕೃತ ನಮೂದುಗಳು ಹೊಂದಿಸಲು ಅನುಮತಿಸಲಾದ DocType: Supplier Scorecard Scoring Variable,Path,ಪಾಥ್ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ಆಲ್ಡ್ವಿಚ್ childNodes ಲೆಡ್ಜರ್ ಒಂದು ವೆಚ್ಚದ ಕೇಂದ್ರವಾಗಿ ಪರಿವರ್ತಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ಐಟಂಗೆ UOM ಪರಿವರ್ತನೆ ಅಂಶ ({0} -> {1}) ಕಂಡುಬಂದಿಲ್ಲ: {2} DocType: Production Plan,Total Planned Qty,ಒಟ್ಟು ಯೋಜನೆ ಕ್ಯೂಟಿ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ವಹಿವಾಟುಗಳನ್ನು ಈಗಾಗಲೇ ಹೇಳಿಕೆಯಿಂದ ಹಿಂಪಡೆಯಲಾಗಿದೆ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ಆರಂಭಿಕ ಮೌಲ್ಯ @@ -6482,6 +6488,7 @@ DocType: Lab Test,Result Date,ಫಲಿತಾಂಶ ದಿನಾಂಕ DocType: Purchase Order,To Receive,ಪಡೆಯಲು DocType: Leave Period,Holiday List for Optional Leave,ಐಚ್ಛಿಕ ಬಿಡಿಗಾಗಿ ಹಾಲಿಡೇ ಪಟ್ಟಿ DocType: Item Tax Template,Tax Rates,ತೆರಿಗೆ ದರಗಳು +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ಐಟಂ ಕೋಡ್> ಐಟಂ ಗುಂಪು> ಬ್ರಾಂಡ್ DocType: Asset,Asset Owner,ಆಸ್ತಿ ಮಾಲೀಕ DocType: Item,Website Content,ವೆಬ್‌ಸೈಟ್ ವಿಷಯ DocType: Bank Account,Integration ID,ಇಂಟಿಗ್ರೇಷನ್ ಐಡಿ @@ -6606,6 +6613,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,ಹೆಚ್ಚುವರಿ ವೆಚ್ಚ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","ಚೀಟಿ ಮೂಲಕ ವರ್ಗೀಕರಿಸಲಾಗಿದೆ ವೇಳೆ , ಚೀಟಿ ಸಂಖ್ಯೆ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ಸಾಧ್ಯವಿಲ್ಲ" DocType: Quality Inspection,Incoming,ಒಳಬರುವ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ಸೆಟಪ್> ಸಂಖ್ಯೆಯ ಸರಣಿಯ ಮೂಲಕ ಹಾಜರಾತಿಗಾಗಿ ದಯವಿಟ್ಟು ಸಂಖ್ಯೆಯ ಸರಣಿಯನ್ನು ಹೊಂದಿಸಿ apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,ಮಾರಾಟ ಮತ್ತು ಖರೀದಿಯ ಡೀಫಾಲ್ಟ್ ತೆರಿಗೆ ಟೆಂಪ್ಲೆಟ್ಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,ಅಸೆಸ್ಮೆಂಟ್ ಫಲಿತಾಂಶ ದಾಖಲೆ {0} ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","ಉದಾಹರಣೆ: ಎಬಿಸಿಡಿ #####. ಸರಣಿಯನ್ನು ಹೊಂದಿಸಿದ್ದರೆ ಮತ್ತು ವ್ಯವಹಾರದಲ್ಲಿ ಬ್ಯಾಚ್ ನನ್ನು ಉಲ್ಲೇಖಿಸದಿದ್ದರೆ, ಈ ಸರಣಿಯ ಆಧಾರದ ಮೇಲೆ ಸ್ವಯಂಚಾಲಿತ ಬ್ಯಾಚ್ ಸಂಖ್ಯೆಯನ್ನು ರಚಿಸಲಾಗುತ್ತದೆ. ಈ ಐಟಂಗಾಗಿ ಬ್ಯಾಚ್ ಸಂಖ್ಯೆ ಅನ್ನು ಸ್ಪಷ್ಟವಾಗಿ ನಮೂದಿಸಲು ನೀವು ಯಾವಾಗಲೂ ಬಯಸಿದರೆ, ಇದನ್ನು ಖಾಲಿ ಬಿಡಿ. ಗಮನಿಸಿ: ಈ ಸೆಟ್ಟಿಂಗ್ ಸ್ಟಾಕ್ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಹೆಸರಿಸುವ ಸರಣಿ ಪೂರ್ವಪ್ರತ್ಯಯದ ಮೇಲೆ ಪ್ರಾಶಸ್ತ್ಯ ತೆಗೆದುಕೊಳ್ಳುತ್ತದೆ." @@ -6939,6 +6947,7 @@ DocType: Journal Entry,Write Off Entry,ಎಂಟ್ರಿ ಆಫ್ ಬರೆಯ DocType: BOM,Rate Of Materials Based On,ಮೆಟೀರಿಯಲ್ಸ್ ಆಧರಿಸಿದ ದರ DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","ಸಕ್ರಿಯಗೊಳಿಸಿದಲ್ಲಿ, ಫೀಲ್ಡ್ ಅಕಾಡೆಮಿಕ್ ಟರ್ಮ್ ಪ್ರೋಗ್ರಾಂ ದಾಖಲಾತಿ ಪರಿಕರದಲ್ಲಿ ಕಡ್ಡಾಯವಾಗಿರುತ್ತದೆ." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","ವಿನಾಯಿತಿ, ನಿಲ್ ರೇಟ್ ಮತ್ತು ಜಿಎಸ್ಟಿ ಅಲ್ಲದ ಆಂತರಿಕ ಸರಬರಾಜುಗಳ ಮೌಲ್ಯಗಳು" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ಗ್ರಾಹಕ> ಗ್ರಾಹಕ ಗುಂಪು> ಪ್ರದೇಶ apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,ಕಂಪನಿ ಕಡ್ಡಾಯ ಫಿಲ್ಟರ್ ಆಗಿದೆ. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,ಎಲ್ಲವನ್ನೂ DocType: Purchase Taxes and Charges,On Item Quantity,ಐಟಂ ಪ್ರಮಾಣದಲ್ಲಿ @@ -6984,6 +6993,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,ಸೇರಲು apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,ಕೊರತೆ ಪ್ರಮಾಣ DocType: Purchase Invoice,Input Service Distributor,ಇನ್ಪುಟ್ ಸೇವಾ ವಿತರಕ apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,ಐಟಂ ಭಿನ್ನ {0} ಅದೇ ಲಕ್ಷಣಗಳು ಅಸ್ತಿತ್ವದಲ್ಲಿದ್ದರೆ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ಶಿಕ್ಷಣ> ಶಿಕ್ಷಣ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ಬೋಧಕ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ DocType: Loan,Repay from Salary,ಸಂಬಳದಿಂದ ಬಂದ ಮರುಪಾವತಿ DocType: Exotel Settings,API Token,API ಟೋಕನ್ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},ವಿರುದ್ಧ ಪಾವತಿ ಮನವಿ {0} {1} ಪ್ರಮಾಣದ {2} diff --git a/erpnext/translations/ko.csv b/erpnext/translations/ko.csv index c94bd8a091..b3226eafe8 100644 --- a/erpnext/translations/ko.csv +++ b/erpnext/translations/ko.csv @@ -390,6 +390,7 @@ DocType: BOM Update Tool,New BOM,신규 BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,처방 된 절차 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS 만 표시 DocType: Supplier Group,Supplier Group Name,공급 업체 그룹 이름 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,출석을로 표시 DocType: Driver,Driving License Categories,운전 면허 카테고리 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,배달 날짜를 입력하십시오. DocType: Depreciation Schedule,Make Depreciation Entry,감가 상각 항목 확인 @@ -1007,6 +1008,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,회사 거래 삭제 DocType: Production Plan Item,Quantity and Description,수량 및 설명 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,참조 번호 및 참조 날짜는 은행 거래를위한 필수입니다 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,설정> 설정> 이름 지정 시리즈를 통해 이름 지정 시리즈를 {0}으로 설정하십시오. DocType: Purchase Receipt,Add / Edit Taxes and Charges,세금과 요금 추가/편집 DocType: Payment Entry Reference,Supplier Invoice No,공급 업체 송장 번호 DocType: Territory,For reference,참고로 @@ -4276,6 +4278,8 @@ DocType: Homepage,Homepage,홈페이지 DocType: Grant Application,Grant Application Details ,교부금 신청서 세부 사항 DocType: Employee Separation,Employee Separation,직원 분리 DocType: BOM Item,Original Item,원본 항목 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","이 문서를 취소하려면 직원 {0}을 (를) 삭제하십시오" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,문서 날짜 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},요금 기록 작성 - {0} DocType: Asset Category Account,Asset Category Account,자산 분류 계정 @@ -5314,6 +5318,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,다양한 활 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","에 이벤트를 설정 {0}, 판매 사람 아래에 부착 된 직원이 사용자 ID를 가지고 있지 않기 때문에 {1}" DocType: Timesheet,Billing Details,결제 세부 정보 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,소스 및 대상웨어 하우스는 달라야합니다 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,인사 관리> HR 설정에서 직원 이름 지정 시스템을 설정하십시오 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,결제 실패. 자세한 내용은 GoCardless 계정을 확인하십시오. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},이상 재고 거래는 이전 업데이트 할 수 없습니다 {0} DocType: Stock Entry,Inspection Required,검사 필수 @@ -5549,6 +5554,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,현재 BOM 및 새로운 BOM은 동일 할 수 없습니다 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,급여 슬립 ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,은퇴 날짜 가입 날짜보다 커야합니다 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,공급 업체> 공급 업체 유형 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,여러 변형 DocType: Sales Invoice,Against Income Account,손익 계정에 대한 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0} % 배달 @@ -6391,6 +6397,7 @@ DocType: Program Enrollment,Institute's Bus,연구소 버스 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,역할 동결 계정 및 편집 동결 항목을 설정할 수 DocType: Supplier Scorecard Scoring Variable,Path,통로 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,이 자식 노드를 가지고 원장 비용 센터로 변환 할 수 없습니다 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},항목 {2}에 대한 UOM 변환 계수 ({0}-> {1})를 찾을 수 없습니다 DocType: Production Plan,Total Planned Qty,총 계획 수량 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,명세서에서 이미 회수 된 거래 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,영업 가치 @@ -6614,6 +6621,7 @@ DocType: Lab Test,Result Date,결과 날짜 DocType: Purchase Order,To Receive,받다 DocType: Leave Period,Holiday List for Optional Leave,선택적 휴가를위한 휴일 목록 DocType: Item Tax Template,Tax Rates,세율 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,상품 코드> 상품 그룹> 브랜드 DocType: Asset,Asset Owner,애셋 소유자 DocType: Item,Website Content,웹 사이트 콘텐츠 DocType: Bank Account,Integration ID,통합 ID @@ -6740,6 +6748,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,추가 비용 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","바우처를 기반으로 필터링 할 수 없음, 바우처로 그룹화하는 경우" DocType: Quality Inspection,Incoming,수신 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,설정> 넘버링 시리즈를 통해 출석 용 넘버링 시리즈를 설정하십시오 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,판매 및 구매에 대한 기본 세금 템플릿이 생성됩니다. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,평가 결과 레코드 {0}이 (가) 이미 있습니다. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",예 : ABCD. #####. 계열이 설정되고 트랜잭션에서 일괄 처리 번호가 언급되지 않은 경우이 계열을 기반으로 자동 배치 번호가 생성됩니다. 이 항목에 대해 Batch No를 명시 적으로 언급하려면이 항목을 비워 두십시오. 참고 :이 설정은 재고 설정의 명명 시리즈 접두사보다 우선합니다. @@ -7083,6 +7092,7 @@ DocType: Journal Entry,Write Off Entry,항목 오프 쓰기 DocType: BOM,Rate Of Materials Based On,자료에 의거 한 속도 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",이 옵션을 사용하면 프로그램 등록 도구에 Academic Term 입력란이 필수 항목으로 표시됩니다. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","면제, 무 정격 및 비 GST 내부 공급 가치" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,고객> 고객 그룹> 지역 apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,회사 는 필수 필터입니다. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,모두 선택 취소 DocType: Purchase Taxes and Charges,On Item Quantity,품목 수량 @@ -7128,6 +7138,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,어울리다 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,부족 수량 DocType: Purchase Invoice,Input Service Distributor,입력 서비스 배급 자 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,항목 변형 {0} 같은 속성을 가진 존재 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,교육> 교육 설정에서 강사 명명 시스템을 설정하십시오 DocType: Loan,Repay from Salary,급여에서 상환 DocType: Exotel Settings,API Token,API 토큰 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},에 대한 지불을 요청 {0} {1} 금액에 대한 {2} diff --git a/erpnext/translations/ku.csv b/erpnext/translations/ku.csv index 10dc9532ad..d97aac4bd1 100644 --- a/erpnext/translations/ku.csv +++ b/erpnext/translations/ku.csv @@ -380,6 +380,7 @@ DocType: BOM Update Tool,New BOM,New BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Pêvajûkirinên Qeydkirî apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS tenê nîşan bide DocType: Supplier Group,Supplier Group Name,Navê Giştî +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Mark beşdarbûn wek DocType: Driver,Driving License Categories,Kategorî apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Ji kerema xwe, Dîroka Deliveryê bike" DocType: Depreciation Schedule,Make Depreciation Entry,Make Peyam Farhad. @@ -986,6 +987,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Vemirandina Transactions Company DocType: Production Plan Item,Quantity and Description,Quantity and Description apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Çavkanî No û Date: Çavkanî ji bo muameleyan Bank wêneke e +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ji kerema xwe Sêwirandina Navên foran ji bo {0} bi hêla Setup> Mîhengên> Navên Pîroz bikin DocType: Purchase Receipt,Add / Edit Taxes and Charges,Lê zêde bike Baca / Edit û doz li DocType: Payment Entry Reference,Supplier Invoice No,Supplier bi fatûreyên No DocType: Territory,For reference,ji bo referansa @@ -5149,6 +5151,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Cost ji çala apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Bikin Events {0}, ji ber ku Employee girêdayî jêr Persons Sales nade a ID'ya bikarhêner heye ne {1}" DocType: Timesheet,Billing Details,Details Billing apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Source û warehouse target divê cuda bê +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ji kerema xwe di Resavkaniya Mirovan de> Sîstema Navkirin a Karmendiyê Saz bikin> Mîhengên HR apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Payment failed. Ji kerema xwe ji berfirehtir ji bo Agahdariya GoCardless binihêre apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},destûra te ya rojanekirina muameleyên borsayê yên kevintir ji {0} DocType: Stock Entry,Inspection Required,Serperiştiya Required @@ -5378,6 +5381,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM û niha New BOM ne dikarin heman apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Meaş ID Slip apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,"Date Of Teqawîdiyê, divê mezintir Date of bizaveka be" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Hilberîner> Tîpa pêşkêşkar apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Pirrjimar Pirrjimar DocType: Sales Invoice,Against Income Account,Li dijî Account da- apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Çiyan @@ -6415,6 +6419,7 @@ DocType: Lab Test,Result Date,Result Date DocType: Purchase Order,To Receive,Hildan DocType: Leave Period,Holiday List for Optional Leave,Lîsteya Bersîvê Ji bo Bijareya Bijartinê DocType: Item Tax Template,Tax Rates,Rêjeyên bacan +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda Babetê> Koma Rêzan> Brand DocType: Asset,Asset Owner,Xwedêkariya xwedan DocType: Item,Website Content,Naveroka malperê DocType: Bank Account,Integration ID,Nasnameya yekbûnê @@ -6538,6 +6543,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Cost Additional apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Can filter li ser Voucher No bingeha ne, eger ji aliyê Vienna kom" DocType: Quality Inspection,Incoming,Incoming +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ji kerema xwe ji hêla Tevlêbûnê> Pêjeya Hejmarbûnê ve ji bo Pêvekêşandinê hejmarên hejmaran bikin apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Saziyên bacê yên ji bo firotin û kirînê ji nû ve tên afirandin. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Nirxandina encamê {0} jixwe heye. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Nimûne: ABCD. #####. Heke ku rêzikek vekirî ye û Batch Na ne di nav veguhestinê de nirxandin, hingê hejmarek navnîşa otobusê otomatîk li ser vê pirtûkê hatiye afirandin. Heke hûn herdem herdem ji bo vê yekê tiştek balkêş binivîsin, ji vê derê vekin. Têbînî: ev sazkirinê dê li ser Sîsteyên Sûkê li ser Nameya Cîhanê ya Sermaseyê pêşniyar bibin." @@ -6874,6 +6880,7 @@ DocType: Journal Entry,Write Off Entry,Hewe Off Peyam DocType: BOM,Rate Of Materials Based On,Rate ji materyalên li ser bingeha DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Heke çalak, zeviya Termê akademîk dê di navendên Bernameya Enrollmentê de nerast be." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Nirxên amûrên xwerû, jêkûpêkkirî û ne-GST navxweyî" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Mişterî> Koma Xerîdar> Herêm apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Pargîdan fîlterkerek domdar e. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,menuya hemû DocType: Purchase Taxes and Charges,On Item Quantity,Li ser qumarê tişt @@ -6919,6 +6926,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Bihevgirêdan apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,kêmbûna Qty DocType: Purchase Invoice,Input Service Distributor,Belavkarê Karûbarê Input apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,variant babete {0} bi taybetmendiyên xwe heman heye +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ji kerema xwe Li Perwerde> Mîhengên Perwerdehiyê Sîstema Navkirin a Sêwiran saz bikin DocType: Loan,Repay from Salary,H'eyfê ji Salary DocType: Exotel Settings,API Token,API Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Ku daxwaz dikin tezmînat li dijî {0} {1} ji bo mîktarê {2} diff --git a/erpnext/translations/lo.csv b/erpnext/translations/lo.csv index d1ec26ad7b..35f744de1f 100644 --- a/erpnext/translations/lo.csv +++ b/erpnext/translations/lo.csv @@ -390,6 +390,7 @@ DocType: BOM Update Tool,New BOM,BOM ໃຫມ່ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procedures ສັ່ງ apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,ສະແດງພຽງແຕ່ POS DocType: Supplier Group,Supplier Group Name,Supplier Group Name +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,ໝາຍ ເອົາການເຂົ້າຮຽນເປັນ DocType: Driver,Driving License Categories,ປະເພດໃບອະນຸຍາດຂັບຂີ່ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,ກະລຸນາໃສ່ວັນທີ່ສົ່ງ DocType: Depreciation Schedule,Make Depreciation Entry,ເຮັດໃຫ້ການເຂົ້າຄ່າເສື່ອມລາຄາ @@ -1007,6 +1008,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,ລົບລາຍະການບໍລິສັດ DocType: Production Plan Item,Quantity and Description,ຈຳ ນວນແລະລາຍລະອຽດ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,ກະສານອ້າງອີງບໍ່ມີແລະວັນທີເອກະສານແມ່ນການບັງຄັບສໍາລັບການເຮັດທຸລະກໍາທະນາຄານ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,ກະລຸນາຕັ້ງຊຸດການໃສ່ຊື່ ສຳ ລັບ {0} ຜ່ານການຕັ້ງຄ່າ> ການຕັ້ງຄ່າ> ຊຸດການຕັ້ງຊື່ DocType: Purchase Receipt,Add / Edit Taxes and Charges,ເພີ່ມ / ແກ້ໄຂພາສີອາກອນແລະຄ່າບໍລິການ DocType: Payment Entry Reference,Supplier Invoice No,Supplier Invoice No DocType: Territory,For reference,ສໍາລັບການກະສານອ້າງອີງ @@ -4238,6 +4240,8 @@ DocType: Homepage,Homepage,ຫນ້າທໍາອິດ DocType: Grant Application,Grant Application Details ,Grant Application Details DocType: Employee Separation,Employee Separation,Employee Separation DocType: BOM Item,Original Item,Original Item +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ກະລຸນາລຶບພະນັກງານ {0} \ ເພື່ອຍົກເລີກເອກະສານນີ້" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ຄ່າບໍລິການບັນທຶກຂຽນເມື່ອຫລາຍ - {0} DocType: Asset Category Account,Asset Category Account,ບັນຊີຊັບສິນປະເພດ @@ -5264,6 +5268,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,ຄ່າໃ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","ການສ້າງຕັ້ງກິດຈະກໍາເພື່ອ {0}, ນັບຕັ້ງແຕ່ພະນັກງານທີ່ຕິດກັບຂ້າງລຸ່ມນີ້ຄົນຂາຍບໍ່ມີ User ID {1}" DocType: Timesheet,Billing Details,ລາຍລະອຽດການເອີ້ນເກັບເງິນ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ແຫຼ່ງຂໍ້ມູນແລະຄັງສິນຄ້າເປົ້າຫມາຍຕ້ອງໄດ້ຮັບທີ່ແຕກຕ່າງກັນ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ພະນັກງານໃນຊັບພະຍາກອນມະນຸດ> ການຕັ້ງຄ່າ HR apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ການຊໍາລະເງິນລົ້ມເຫລວ. ໂປດກວດເບິ່ງບັນຊີ GoCardless ຂອງທ່ານສໍາລັບລາຍລະອຽດເພີ່ມເຕີມ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},ບໍ່ອະນຸຍາດໃຫ້ປັບປຸງການເຮັດທຸລະຫຸ້ນອາຍຸຫຼາຍກວ່າ {0} DocType: Stock Entry,Inspection Required,ການກວດກາຕ້ອງ @@ -5499,6 +5504,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM ປັດຈຸບັນແລະໃຫມ່ BOM ບໍ່ສາມາດຈະເປັນຄືກັນ apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ເງິນເດືອນ ID Slip apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,ວັນທີ່ສະຫມັກຂອງເງິນກະສຽນຈະຕ້ອງຫຼາຍກ່ວາວັນທີຂອງການເຂົ້າຮ່ວມ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ຜູ້ສະ ໜອງ ສິນຄ້າ> ປະເພດຜູ້ສະ ໜອງ ສິນຄ້າ apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Multiple Variants DocType: Sales Invoice,Against Income Account,ຕໍ່ບັນຊີລາຍໄດ້ apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% ສົ່ງ @@ -6341,6 +6347,7 @@ DocType: Program Enrollment,Institute's Bus,ລົດເມຂອງສະຖາ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ພາລະບົດບາດອະນຸຍາດໃຫ້ກໍານົດບັນຊີ Frozen ແລະແກ້ໄຂການອອກສຽງ Frozen DocType: Supplier Scorecard Scoring Variable,Path,ເສັ້ນທາງ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ບໍ່ສາມາດແປງສູນຕົ້ນທຶນການບັນຊີຍ້ອນວ່າມັນມີຂໍ້ເດັກ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ປັດໄຈການປ່ຽນ UOM ({0} -> {1}) ບໍ່ພົບ ສຳ ລັບລາຍການ: {2} DocType: Production Plan,Total Planned Qty,Total Planned Qty apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ການເຮັດທຸລະ ກຳ ໄດ້ຖອຍລົງຈາກ ຄຳ ຖະແຫຼງການແລ້ວ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ມູນຄ່າການເປີດ @@ -6564,6 +6571,7 @@ DocType: Lab Test,Result Date,ວັນທີຜົນໄດ້ຮັບ DocType: Purchase Order,To Receive,ທີ່ຈະໄດ້ຮັບ DocType: Leave Period,Holiday List for Optional Leave,ລາຍຊື່ພັກຜ່ອນສໍາລັບການເລືອກທາງເລືອກ DocType: Item Tax Template,Tax Rates,ອັດຕາອາກອນ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ລະຫັດສິນຄ້າ> ກຸ່ມລາຍການ> ຍີ່ຫໍ້ DocType: Asset,Asset Owner,ເຈົ້າຂອງຊັບສິນ DocType: Item,Website Content,ເນື້ອຫາຂອງເວບໄຊທ໌ DocType: Bank Account,Integration ID,ບັດປະສົມປະສານ @@ -6690,6 +6698,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,ຄ່າໃຊ້ຈ່າຍເພີ່ມເຕີມ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","ບໍ່ສາມາດກັ່ນຕອງໂດຍອີງໃສ່ Voucher No, ຖ້າຫາກວ່າເປັນກຸ່ມຕາມ Voucher" DocType: Quality Inspection,Incoming,ເຂົ້າມາ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ກະລຸນາຕິດຕັ້ງຊຸດ ໝາຍ ເລກ ສຳ ລັບການເຂົ້າຮຽນຜ່ານການຕິດຕັ້ງ> ຊຸດເລກ ລຳ ດັບ apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,ແມ່ແບບພາສີມາດຕະຖານສໍາລັບການຂາຍແລະການຊື້ໄດ້ຖືກສ້າງຂຶ້ນ. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,ບັນທຶກການປະເມີນຜົນ {0} ມີຢູ່ແລ້ວ. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",ຕົວຢ່າງ: ABCD #####. ຖ້າຊຸດໄດ້ຖືກກໍານົດແລະ Batch No ບໍ່ໄດ້ກ່າວເຖິງໃນການເຮັດທຸລະກໍາແລ້ວຈໍານວນ batch ອັດຕະໂນມັດຈະຖືກສ້າງຂຶ້ນໂດຍອີງໃສ່ຊຸດນີ້. ຖ້າທ່ານຕ້ອງການທີ່ຈະກ່າວຢ່າງລະອຽດກ່ຽວກັບເຄື່ອງຫມາຍການຜະລິດສໍາລັບສິນຄ້ານີ້ໃຫ້ປ່ອຍໃຫ້ມັນຫວ່າງ. ຫມາຍເຫດ: ການຕັ້ງຄ່ານີ້ຈະມີຄວາມສໍາຄັນກວ່າຊື່ຊຸດຊື່ໃນການຕັ້ງຄ່າຫຼັກຊັບ. @@ -7033,6 +7042,7 @@ DocType: Journal Entry,Write Off Entry,ຂຽນ Off Entry DocType: BOM,Rate Of Materials Based On,ອັດຕາຂອງວັດສະດຸພື້ນຖານກ່ຽວກັບ DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","ຖ້າເປີດໃຊ້, ໄລຍະທາງວິຊາການຈະເປັນຂໍ້ບັງຄັບໃນເຄື່ອງມືການເຂົ້າຮຽນຂອງໂຄງການ." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","ຄຸນຄ່າຂອງການຍົກເວັ້ນ, ການຈັດອັນດັບແລະການສະ ໜອງ ທີ່ບໍ່ແມ່ນ GST ພາຍໃນ" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ລູກຄ້າ> ກຸ່ມລູກຄ້າ> ອານາເຂດ apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,ບໍລິສັດ ແມ່ນຕົວກອງທີ່ ຈຳ ເປັນ. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,ຍົກເລີກທັງຫມົດ DocType: Purchase Taxes and Charges,On Item Quantity,ກ່ຽວກັບ ຈຳ ນວນສິນຄ້າ @@ -7078,6 +7088,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,ເຂົ້າຮ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,ການຂາດແຄນຈໍານວນ DocType: Purchase Invoice,Input Service Distributor,ຕົວແທນ ຈຳ ໜ່າຍ ບໍລິການຂາເຂົ້າ apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,variant item {0} ມີຢູ່ກັບຄຸນລັກສະນະດຽວກັນ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ຜູ້ສອນໃນການສຶກສາ> ການຕັ້ງຄ່າການສຶກສາ DocType: Loan,Repay from Salary,ຕອບບຸນແທນຄຸນຈາກເງິນເດືອນ DocType: Exotel Settings,API Token,API Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},ຂໍຊໍາລະເງິນກັບ {0} {1} ສໍາລັບຈໍານວນເງິນທີ່ {2} diff --git a/erpnext/translations/lt.csv b/erpnext/translations/lt.csv index 2cb1485688..97e8a3663b 100644 --- a/erpnext/translations/lt.csv +++ b/erpnext/translations/lt.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,nauja BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Nustatytos procedūros apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Rodyti tik POS DocType: Supplier Group,Supplier Group Name,Tiekėjo grupės pavadinimas +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Pažymėkite dalyvavimą kaip DocType: Driver,Driving License Categories,Vairuotojo pažymėjimo kategorijos apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Įveskite pristatymo datą DocType: Depreciation Schedule,Make Depreciation Entry,Padaryti nusidėvėjimo įrašą @@ -4229,6 +4230,8 @@ DocType: Homepage,Homepage,Pagrindinis puslapis DocType: Grant Application,Grant Application Details ,Pareiškimo detalės DocType: Employee Separation,Employee Separation,Darbuotojų atskyrimas DocType: BOM Item,Original Item,Originalus elementas +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ištrinkite darbuotoją {0} \, kad galėtumėte atšaukti šį dokumentą" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dokumento data apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Įrašai Sukurta - {0} DocType: Asset Category Account,Asset Category Account,Turto Kategorija paskyra @@ -5255,6 +5258,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Išlaidos įv apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Nustatymas įvykių {0}, nes pridedamas prie žemiau pardavėjai darbuotojas neturi naudotojo ID {1}" DocType: Timesheet,Billing Details,Atsiskaitymo informacija apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Originalo ir vertimo sandėlis turi skirtis +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Prašome nustatyti darbuotojų įvardijimo sistemą skyriuje Žmogiškieji ištekliai> HR nustatymai apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Mokėjimas nepavyko. Prašome patikrinti savo "GoCardless" sąskaitą, kad gautumėte daugiau informacijos" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Neleidžiama atnaujinti akcijų sandorius senesnis nei {0} DocType: Stock Entry,Inspection Required,Patikrinimo Reikalinga @@ -5488,6 +5492,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Dabartinis BOM ir Naujoji BOM negali būti tas pats apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Pajamos Kuponas ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Data nuo išėjimo į pensiją turi būti didesnis nei įstoti data +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tiekėjas> Tiekėjo tipas apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Keli variantai DocType: Sales Invoice,Against Income Account,Prieš pajamų sąskaita apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Pristatyta @@ -6329,6 +6334,7 @@ DocType: Program Enrollment,Institute's Bus,Instituto autobusas DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Vaidmuo leidžiama nustatyti užšaldytų sąskaitų ir redaguoti Šaldyti įrašai DocType: Supplier Scorecard Scoring Variable,Path,Kelias apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Negali konvertuoti Cost centrą knygoje, nes ji turi vaikų mazgai" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konversijos koeficientas ({0} -> {1}) nerastas elementui: {2} DocType: Production Plan,Total Planned Qty,Bendras planuojamas kiekis apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Sandoriai jau atimami iš pareiškimo apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,atidarymo kaina @@ -6552,6 +6558,7 @@ DocType: Lab Test,Result Date,Rezultato data DocType: Purchase Order,To Receive,Gauti DocType: Leave Period,Holiday List for Optional Leave,Atostogų sąrašas pasirinktinai DocType: Item Tax Template,Tax Rates,Mokesčių tarifai +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Prekės kodas> Prekių grupė> Prekės ženklas DocType: Asset,Asset Owner,Turto savininkas DocType: Item,Website Content,Svetainės turinys DocType: Bank Account,Integration ID,Integracijos ID @@ -6677,6 +6684,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Papildoma Kaina apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Negali filtruoti pagal lakšto, jei grupuojamas kuponą" DocType: Quality Inspection,Incoming,įeinantis +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Prašome nustatyti numeracijos serijas lankymui per sąranką> Numeravimo serijos apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Sukuriami numatyti mokesčių šablonai pardavimui ir pirkimui. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Vertinimo rezultatų įrašas {0} jau egzistuoja. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Pavyzdys: ABCD. #####. Jei serijos yra nustatytos ir partijos Nr nėra minimi sandoriuose, tada automatinis partijos numeris bus sukurtas pagal šią seriją. Jei visada norite aiškiai paminėti šios prekės partiją, palikite tuščią. Pastaba: šis nustatymas bus pirmenybė prieš vardų serijos prefiksą, esantį atsargų nustatymuose." @@ -7020,6 +7028,7 @@ DocType: Journal Entry,Write Off Entry,Nurašyti įrašą DocType: BOM,Rate Of Materials Based On,Norma medžiagų pagrindu DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Jei įjungta, "Academic Term" laukas bus privalomas programos įregistravimo įrankyje." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Neapmokestinamų, neapmokestinamų ir ne GST įvežamų atsargų vertės" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klientas> Klientų grupė> Teritorija apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Bendrovė yra privalomas filtras. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Nuimkite visus DocType: Purchase Taxes and Charges,On Item Quantity,Ant prekės kiekio @@ -7065,6 +7074,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,prisijungti apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,trūkumo Kiekis DocType: Purchase Invoice,Input Service Distributor,Įvesties paslaugų platintojas apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Prekė variantas {0} egzistuoja pačių savybių +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Prašome įdiegti instruktoriaus pavadinimo sistemą švietime> Švietimo nustatymai DocType: Loan,Repay from Salary,Grąžinti iš Pajamos DocType: Exotel Settings,API Token,API prieigos raktas apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},"Prašančioji mokėjimą nuo {0} {1} už sumą, {2}" diff --git a/erpnext/translations/lv.csv b/erpnext/translations/lv.csv index 5961fc5a77..64fcbbef6f 100644 --- a/erpnext/translations/lv.csv +++ b/erpnext/translations/lv.csv @@ -388,6 +388,7 @@ DocType: BOM Update Tool,New BOM,Jaunais BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Noteiktas procedūras apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Rādīt tikai POS DocType: Supplier Group,Supplier Group Name,Piegādātāja grupas nosaukums +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Atzīmēt apmeklējumu kā DocType: Driver,Driving License Categories,Vadītāja apliecību kategorijas apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Lūdzu, ievadiet piegādes datumu" DocType: Depreciation Schedule,Make Depreciation Entry,Padarīt Nolietojums Entry @@ -1002,6 +1003,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Dzēst Uzņēmums Darījumi DocType: Production Plan Item,Quantity and Description,Daudzums un apraksts apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Atsauces Nr un atsauces datums ir obligāta Bank darījumu +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Lūdzu, iestatiet nosaukšanas sēriju uz {0}, izmantojot Iestatīšana> Iestatījumi> Sēriju nosaukšana" DocType: Purchase Receipt,Add / Edit Taxes and Charges,Pievienot / rediģēt nodokļiem un maksājumiem DocType: Payment Entry Reference,Supplier Invoice No,Piegādātāju rēķinu Nr DocType: Territory,For reference,Par atskaites @@ -4226,6 +4228,8 @@ DocType: Homepage,Homepage,Mājaslapa DocType: Grant Application,Grant Application Details ,Piešķirt pieteikuma informāciju DocType: Employee Separation,Employee Separation,Darbinieku nodalīšana DocType: BOM Item,Original Item,Oriģināla prece +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Lūdzu, izdzēsiet darbinieku {0} \, lai atceltu šo dokumentu" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Datums apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Maksa Records Izveidoja - {0} DocType: Asset Category Account,Asset Category Account,Asset kategorija konts @@ -5250,6 +5254,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Izmaksas daž apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Setting notikumi {0}, jo darbinieku pievienots zemāk Sales personām nav lietotāja ID {1}" DocType: Timesheet,Billing Details,Norēķinu Details apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Avota un mērķa noliktava jāatšķiras +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Lūdzu, iestatiet Personāla nosaukšanas sistēma personāla resursos> HR iestatījumi" apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Maksājums neizdevās. Lai saņemtu sīkāku informāciju, lūdzu, pārbaudiet GoCardless kontu" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},"Nav atļauts izmainīt akciju darījumiem, kas vecāki par {0}" DocType: Stock Entry,Inspection Required,Inspekcija Nepieciešamais @@ -5483,6 +5488,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Pašreizējā BOM un New BOM nevar būt vienādi apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Alga Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Brīža līdz pensionēšanās jābūt lielākam nekā datums savienošana +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Piegādātājs> Piegādātāja tips apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Vairāki varianti DocType: Sales Invoice,Against Income Account,Pret ienākuma kontu apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Pasludināts @@ -6324,6 +6330,7 @@ DocType: Program Enrollment,Institute's Bus,Institūta autobuss DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Loma atļauts noteikt iesaldētos kontus un rediģēt Saldētas Ieraksti DocType: Supplier Scorecard Scoring Variable,Path,Ceļš apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Nevar pārvērst izmaksu centru, lai grāmatai, jo tā ir bērnu mezgliem" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Vienumam {2} nav atrasts UOM konversijas koeficients ({0} -> {1}). DocType: Production Plan,Total Planned Qty,Kopējais plānotais daudzums apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Darījumi jau ir atkāpti no paziņojuma apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,atklāšanas Value @@ -6547,6 +6554,7 @@ DocType: Lab Test,Result Date,Rezultāta datums DocType: Purchase Order,To Receive,Saņemt DocType: Leave Period,Holiday List for Optional Leave,Brīvdienu saraksts izvēles atvaļinājumam DocType: Item Tax Template,Tax Rates,Nodokļu likmes +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Preces kods> Vienību grupa> Zīmols DocType: Asset,Asset Owner,Īpašuma īpašnieks DocType: Item,Website Content,Vietnes saturs DocType: Bank Account,Integration ID,Integrācijas ID @@ -6673,6 +6681,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Papildu izmaksas apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nevar filtrēt balstīta uz kupona, ja grupēti pēc kuponu" DocType: Quality Inspection,Incoming,Ienākošs +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Lūdzu, iestatiet apmeklējumu numerācijas sērijas, izmantojot Iestatīšana> Numerācijas sērija" apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Tiek veidoti noklusējuma nodokļu veidnes pārdošanai un pirkšanai. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Novērtējuma rezultātu reģistrs {0} jau eksistē. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Piemērs: ABCD. #####. Ja sērija ir iestatīta un Partijas Nr nav minēts darījumos, automātiskais partijas numurs tiks izveidots, pamatojoties uz šo sēriju. Ja jūs vienmēr vēlaties skaidri norādīt šī vienuma partijas Nr, atstājiet šo tukšu. Piezīme. Šis iestatījums būs prioritāte salīdzinājumā ar nosaukumu sērijas prefiksu krājumu iestatījumos." @@ -7016,6 +7025,7 @@ DocType: Journal Entry,Write Off Entry,Uzrakstiet Off Entry DocType: BOM,Rate Of Materials Based On,Novērtējiet materiālu specifikācijas Based On DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ja tas ir iespējots, lauka akadēmiskais termins būs obligāts programmas uzņemšanas rīkā." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Ar nodokli neapliekamo, ar nulli apliekamo un ar GST nesaistīto iekšējo piegāžu vērtības" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klients> Klientu grupa> Teritorija apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Uzņēmums ir obligāts filtrs. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Noņemiet visas DocType: Purchase Taxes and Charges,On Item Quantity,Uz preces daudzumu @@ -7061,6 +7071,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,pievienoties apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Trūkums Daudz DocType: Purchase Invoice,Input Service Distributor,Ievades pakalpojumu izplatītājs apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Postenis variants {0} nepastāv ar tiem pašiem atribūtiem +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Lūdzu, iestatiet instruktora nosaukšanas sistēmu sadaļā Izglītība> Izglītības iestatījumi" DocType: Loan,Repay from Salary,Atmaksāt no algas DocType: Exotel Settings,API Token,API pilnvara apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Pieprasot samaksu pret {0} {1} par summu {2} diff --git a/erpnext/translations/mk.csv b/erpnext/translations/mk.csv index 41eac2d847..43d62fe332 100644 --- a/erpnext/translations/mk.csv +++ b/erpnext/translations/mk.csv @@ -385,6 +385,7 @@ DocType: BOM Update Tool,New BOM,Нов Бум apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Пропишани процедури apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Прикажи само POS DocType: Supplier Group,Supplier Group Name,Име на група на набавувач +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Означи присуство како DocType: Driver,Driving License Categories,Категории за возачка дозвола apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Внесете го датумот на испорака DocType: Depreciation Schedule,Make Depreciation Entry,Направете Амортизација Влегување @@ -993,6 +994,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Избриши компанијата Трансакции DocType: Production Plan Item,Quantity and Description,Количина и опис apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Референтен број и референтен датум е задолжително за банкарски трансакции +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Поставете Серија за именување за {0} преку Поставување> Поставки> Серии за именување DocType: Purchase Receipt,Add / Edit Taxes and Charges,Додај / Уреди даноци и такси DocType: Payment Entry Reference,Supplier Invoice No,Добавувачот Фактура бр DocType: Territory,For reference,За референца @@ -4177,6 +4179,8 @@ DocType: Homepage,Homepage,Почетната страница од пребар DocType: Grant Application,Grant Application Details ,Детали за апликација за грант DocType: Employee Separation,Employee Separation,Одделување на вработените DocType: BOM Item,Original Item,Оригинална точка +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Избришете го вработениот {0} \ за да го откажете овој документ" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Док Датум apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Надомест записи создадени - {0} DocType: Asset Category Account,Asset Category Account,Средства Категорија сметка @@ -5183,6 +5187,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Цената apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Поставување на настани во {0}, бидејќи вработените во прилог на подолу продажба на лица нема User ID {1}" DocType: Timesheet,Billing Details,Детали за наплата apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Изворот и целните склад мора да бидат различни +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Поставете го системот за именување на вработените во човечки ресурси> Поставки за човечки ресурси apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Исплатата не успеа. Ве молиме проверете ја вашата GoCardless сметка за повеќе детали apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Не е дозволено да се ажурира акции трансакции постари од {0} DocType: Stock Entry,Inspection Required,Инспекција што се бара @@ -5414,6 +5419,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Тековни Бум и Нов Бум не може да биде ист apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Плата фиш проект apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Денот на неговото пензионирање мора да биде поголема од датумот на пристап +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добавувач> Тип на снабдувач apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Повеќе варијанти DocType: Sales Invoice,Against Income Account,Против профил доход apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Дадени @@ -6458,6 +6464,7 @@ DocType: Lab Test,Result Date,Датум на резултати DocType: Purchase Order,To Receive,За да добиете DocType: Leave Period,Holiday List for Optional Leave,Листа на летови за изборно напуштање DocType: Item Tax Template,Tax Rates,Даночни стапки +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на точка> Група на производи> Бренд DocType: Asset,Asset Owner,Сопственик на средства DocType: Item,Website Content,Содржина на веб-страница DocType: Bank Account,Integration ID,ИД за интеграција @@ -6581,6 +6588,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Дополнителни трошоци apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Не може да се филтрираат врз основа на ваучер Не, ако се групираат според ваучер" DocType: Quality Inspection,Incoming,Дојдовни +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Поставете серија за нумерирање за присуство преку Поставување> Серии за нумерирање apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Основни даночни обрасци за продажба и купување се создаваат. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Оценка Резултатот од резултатот {0} веќе постои. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Пример: ABCD. #####. Ако серијата е поставена и Batch No не е споменат во трансакциите, тогаш автоматски сериски број ќе биде креиран врз основа на оваа серија. Ако секогаш сакате експлицитно да го споменате Batch No за оваа ставка, оставете го ова празно. Забелешка: оваа поставка ќе има приоритет над Префиксот за назив на сериите во поставките на акции." @@ -6918,6 +6926,7 @@ DocType: Journal Entry,Write Off Entry,Отпише Влегување DocType: BOM,Rate Of Materials Based On,Стапка на материјали врз основа на DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ако е овозможено, полето Академски термин ќе биде задолжително во алатката за запишување на програмата." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Вредности на ослободени, нула отценети и не-GST внатрешни резерви" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Група на клиенти> Територија apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Компанијата е задолжителен филтер. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Отстранете ги сите DocType: Purchase Taxes and Charges,On Item Quantity,На количината на артикалот @@ -6963,6 +6972,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Зачлени с apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Недостаток Количина DocType: Purchase Invoice,Input Service Distributor,Дистрибутер за влезни услуги apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Постои ставка варијанта {0} со истите атрибути +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Ве молиме, поставете Систем за именување на инструктори во образованието> Поставки за образование" DocType: Loan,Repay from Salary,Отплати од плата DocType: Exotel Settings,API Token,АПИ Токен apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Барајќи исплата од {0} {1} за износот {2} diff --git a/erpnext/translations/ml.csv b/erpnext/translations/ml.csv index b5c19bafa5..1685a2ec09 100644 --- a/erpnext/translations/ml.csv +++ b/erpnext/translations/ml.csv @@ -382,6 +382,7 @@ DocType: BOM Update Tool,New BOM,പുതിയ BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,നിർദ്ദിഷ്ട നടപടികൾ apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS മാത്രം കാണിക്കുക DocType: Supplier Group,Supplier Group Name,വിതരണക്കാരൻ ഗ്രൂപ്പ് നാമം +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,ഹാജർ അടയാളപ്പെടുത്തുക DocType: Driver,Driving License Categories,ഡ്രൈവിംഗ് ലൈസൻസ് വിഭാഗങ്ങൾ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,ഡെലിവറി തീയതി നൽകുക DocType: Depreciation Schedule,Make Depreciation Entry,മൂല്യത്തകർച്ച എൻട്രി നിർമ്മിക്കുക @@ -4121,6 +4122,8 @@ DocType: Homepage,Homepage,ഹോംപേജ് DocType: Grant Application,Grant Application Details ,അപേക്ഷകൾ അനുവദിക്കുക DocType: Employee Separation,Employee Separation,തൊഴിലുടമ വേർപിരിയൽ DocType: BOM Item,Original Item,യഥാർത്ഥ ഇനം +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ഈ പ്രമാണം റദ്ദാക്കുന്നതിന് ജീവനക്കാരൻ {0} delete ഇല്ലാതാക്കുക" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,പ്രമാണ തീയതി apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},സൃഷ്ടിച്ചു ഫീസ് റെക്കോർഡ്സ് - {0} DocType: Asset Category Account,Asset Category Account,അസറ്റ് വർഗ്ഗം അക്കൗണ്ട് @@ -5118,6 +5121,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,വിവി apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","സെയിൽസ് പേഴ്സൺസ് താഴെ ഘടിപ്പിച്ചിരിക്കുന്ന ജീവനക്കാർ {1} ഒരു ഉപയോക്താവിന്റെ ഐഡി ഇല്ല ശേഷം, ലേക്കുള്ള {0} ഇവന്റുകൾ ക്രമീകരിക്കുന്നു" DocType: Timesheet,Billing Details,ബില്ലിംഗ് വിശദാംശങ്ങൾ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,"ഉറവിട, ടാർഗെറ്റ് വെയർഹൗസ് വ്യത്യസ്തമായിരിക്കണം" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ഹ്യൂമൻ റിസോഴ്സ്> എച്ച്ആർ ക്രമീകരണങ്ങളിൽ ജീവനക്കാരുടെ പേരിടൽ സംവിധാനം സജ്ജമാക്കുക apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,പേയ്മെന്റ് പരാജയപ്പെട്ടു. കൂടുതൽ വിശദാംശങ്ങൾക്ക് നിങ്ങളുടെ GoCardless അക്കൗണ്ട് പരിശോധിക്കുക apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} ചെന്നവർ സ്റ്റോക്ക് ഇടപാടുകൾ പുതുക്കുന്നതിനായി അനുവാദമില്ല DocType: Stock Entry,Inspection Required,ഇൻസ്പെക്ഷൻ ആവശ്യമുണ്ട് @@ -5347,6 +5351,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,ഇപ്പോഴത്തെ BOM ലേക്ക് ന്യൂ BOM ഒന്നുതന്നെയായിരിക്കരുത് apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ശമ്പള ജി ഐഡി apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,വിരമിക്കുന്ന തീയതി ചേരുന്നു തീയതി വലുതായിരിക്കണം +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,വിതരണക്കാരൻ> വിതരണ തരം apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,വിവിധ വകഭേദങ്ങൾ DocType: Sales Invoice,Against Income Account,ആദായ അക്കൗണ്ടിനെതിരായ apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,കൈമാറി {0}% @@ -6168,6 +6173,7 @@ DocType: Program Enrollment,Institute's Bus,ഇൻസ്റ്റിറ്റ് DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ശീതീകരിച്ച അക്കൗണ്ടുകൾ & എഡിറ്റ് ശീതീകരിച്ച എൻട്രികൾ സജ്ജമാക്കുക അനുവദിച്ചു റോൾ DocType: Supplier Scorecard Scoring Variable,Path,പാത apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,അത് കുട്ടി റോഡുകളുണ്ട് പോലെ ലെഡ്ജർ വരെ ചെലവ് കേന്ദ്രം പരിവർത്തനം ചെയ്യാൻ കഴിയുമോ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ഇനത്തിനായി UOM പരിവർത്തന ഘടകം ({0} -> {1}) കണ്ടെത്തിയില്ല: {2} DocType: Production Plan,Total Planned Qty,മൊത്തം ആസൂത്രണ കോഡ് apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ഇടപാടുകൾ ഇതിനകം പ്രസ്താവനയിൽ നിന്ന് വീണ്ടെടുത്തു apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,തുറക്കുന്നു മൂല്യം @@ -6385,6 +6391,7 @@ DocType: Lab Test,Result Date,ഫലം തീയതി DocType: Purchase Order,To Receive,സ്വീകരിക്കാൻ DocType: Leave Period,Holiday List for Optional Leave,ഓപ്ഷണൽ അവധിക്കുള്ള അവധി ലിസ്റ്റ് DocType: Item Tax Template,Tax Rates,നികുതി നിരക്കുകൾ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ഇന കോഡ്> ഐറ്റം ഗ്രൂപ്പ്> ബ്രാൻഡ് DocType: Asset,Asset Owner,അസറ്റ് ഉടമസ്ഥൻ DocType: Item,Website Content,വെബ്‌സൈറ്റ് ഉള്ളടക്കം DocType: Bank Account,Integration ID,ഇന്റഗ്രേഷൻ ഐഡി @@ -6509,6 +6516,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,അധിക ചെലവ് apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","വൗച്ചർ ഭൂഖണ്ടക്രമത്തിൽ എങ്കിൽ, വൗച്ചർ പോസ്റ്റ് അടിസ്ഥാനമാക്കി ഫിൽട്ടർ ചെയ്യാൻ കഴിയില്ല" DocType: Quality Inspection,Incoming,ഇൻകമിംഗ് +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,സജ്ജീകരണം> നമ്പറിംഗ് സീരീസ് വഴി അറ്റൻഡൻസിനായി നമ്പറിംഗ് സീരീസ് സജ്ജമാക്കുക apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,വിൽപ്പനയ്ക്കായി വാങ്ങുന്നതിനും വാങ്ങുന്നതിനുമുള്ള സ്ഥിര ടാക്സ് ടെംപ്ലേറ്റുകൾ സൃഷ്ടിക്കുന്നു. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,മൂല്യനിർണ്ണയ ഫല റിക്കോഡ് {0} ഇതിനകം നിലവിലുണ്ട്. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","ഉദാഹരണം: ABCD. #####. സീരീസ് സജ്ജമാക്കിയാൽ, ബാച്ച് നോയിംഗ് ഇടപാടുകളിൽ പരാമർശിച്ചിട്ടില്ലെങ്കിൽ, ഈ ശ്രേണിയെ അടിസ്ഥാനമാക്കി യാന്ത്രിക ബാച്ച് നമ്പർ സൃഷ്ടിക്കും. ഈ ഇനത്തിനായി ബാച്ച് നമ്പറെ നിങ്ങൾ എപ്പോഴും സ്പഷ്ടമായി സൂചിപ്പിക്കണമെങ്കിൽ, ഇത് ശൂന്യമാക്കിയിടുക. കുറിപ്പ്: സ്റ്റോക്കിംഗ് ക്രമീകരണങ്ങളിൽ നാമമുള്ള സീരീസ് പ്രിഫിക്സിൽ ഈ ക്രമീകരണം മുൻഗണന നൽകും." @@ -6843,6 +6851,7 @@ DocType: Journal Entry,Write Off Entry,എൻട്രി എഴുതുക DocType: BOM,Rate Of Materials Based On,മെറ്റീരിയൽസ് അടിസ്ഥാനത്തിൽ ഓൺ നിരക്ക് DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","പ്രാപ്തമാക്കിയാൽ, ഫീൽഡ് അക്കാദമിക് ടേം പ്രോഗ്രാം എൻറോൾമെന്റ് ടൂളിൽ നിർബന്ധമാണ്." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",ഒഴിവാക്കിയതും ഇല്ല റേറ്റുചെയ്തതും ജിഎസ്ടി അല്ലാത്തതുമായ ആന്തരിക വിതരണങ്ങളുടെ മൂല്യങ്ങൾ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,കസ്റ്റമർ> കസ്റ്റമർ ഗ്രൂപ്പ്> ടെറിട്ടറി apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,കമ്പനി നിർബന്ധിത ഫിൽട്ടറാണ്. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,എല്ലാത്തിൻറെയും പരിശോധന DocType: Purchase Taxes and Charges,On Item Quantity,ഇനത്തിന്റെ അളവിൽ @@ -6888,6 +6897,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,ചേരുക apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,ദൌർലഭ്യം Qty DocType: Purchase Invoice,Input Service Distributor,ഇൻപുട്ട് സേവന വിതരണക്കാരൻ apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,ഇനം വേരിയന്റ് {0} ഒരേ ആട്രിബ്യൂട്ടുകളുമുള്ള നിലവിലുണ്ട് +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,വിദ്യാഭ്യാസം> വിദ്യാഭ്യാസ ക്രമീകരണങ്ങളിൽ ഇൻസ്ട്രക്ടർ നാമകരണ സംവിധാനം സജ്ജമാക്കുക DocType: Loan,Repay from Salary,ശമ്പളത്തിൽ നിന്ന് പകരം DocType: Exotel Settings,API Token,API ടോക്കൺ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},തുക {0} {1} നേരെ പേയ്മെന്റ് അഭ്യർത്ഥിക്കുന്നു {2} diff --git a/erpnext/translations/mr.csv b/erpnext/translations/mr.csv index 52e961a579..b21d57dc14 100644 --- a/erpnext/translations/mr.csv +++ b/erpnext/translations/mr.csv @@ -388,6 +388,7 @@ DocType: BOM Update Tool,New BOM,नवीन BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,विहित कार्यपद्धती apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,केवळ POS दर्शवा DocType: Supplier Group,Supplier Group Name,पुरवठादार गट नाव +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,म्हणून हजेरी लावा DocType: Driver,Driving License Categories,ड्रायव्हिंग लायसेन्स श्रेण्या apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,कृपया वितरण तारीख प्रविष्ट करा DocType: Depreciation Schedule,Make Depreciation Entry,घसारा प्रवेश करा @@ -4166,6 +4167,8 @@ DocType: Homepage,Homepage,मुख्यपृष्ठ DocType: Grant Application,Grant Application Details ,अर्ज विनंती मंजूर करा DocType: Employee Separation,Employee Separation,कर्मचारी विभेदन DocType: BOM Item,Original Item,मूळ आयटम +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","कृपया हा कागदजत्र रद्द करण्यासाठी कर्मचारी {0}. हटवा" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,दस्तऐवज तारीख apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},फी रेकॉर्ड तयार - {0} DocType: Asset Category Account,Asset Category Account,मालमत्ता वर्ग खाते @@ -5178,6 +5181,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,विवि apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","इव्हेंट सेट {0}, विक्री व्यक्ती खाली संलग्न कर्मचारी पासून वापरकर्ता आयडी नाही {1}" DocType: Timesheet,Billing Details,बिलिंग तपशील apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,स्त्रोत आणि लक्ष्य कोठार भिन्न असणे आवश्यक आहे +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,मानव संसाधन> एचआर सेटिंग्जमध्ये कर्मचारी नेमिंग सिस्टम सेट करा apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,भरणा अयशस्वी. कृपया अधिक तपशीलांसाठी आपले GoCardless खाते तपासा apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} पेक्षा जुने स्टॉक व्यवहार अद्ययावत करण्याची परवानगी नाही DocType: Stock Entry,Inspection Required,तपासणी आवश्यक @@ -5409,6 +5413,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,वर्तमान BOM आणि नवीन BOM समान असू शकत नाही apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,पगाराच्या स्लिप्स आयडी apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,निवृत्ती तारीख प्रवेश दिनांक पेक्षा जास्त असणे आवश्यक आहे +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,पुरवठादार> पुरवठादार प्रकार apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,एकाधिक वेरिएंट DocType: Sales Invoice,Against Income Account,उत्पन्न खाते विरुद्ध apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% वितरण @@ -6235,6 +6240,7 @@ DocType: Program Enrollment,Institute's Bus,संस्था बस DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,भूमिका फ्रोजन खाती सेट करण्याची परवानगी आणि फ्रोजन नोंदी संपादित करा DocType: Supplier Scorecard Scoring Variable,Path,पथ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,त्याला child nodes आहेत म्हणून खातेवही खर्च केंद्र रूपांतरित करू शकत नाही +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},आयटमसाठी यूओएम रूपांतरण घटक ({0} -> {1}) आढळला नाही: {2} DocType: Production Plan,Total Planned Qty,एकूण नियोजित खंड apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,विधानांमधून व्यवहार आधीपासूनच मागे घेण्यात आले आहेत apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,उघडण्याचे मूल्य @@ -6453,6 +6459,7 @@ DocType: Lab Test,Result Date,परिणाम तारीख DocType: Purchase Order,To Receive,प्राप्त करण्यासाठी DocType: Leave Period,Holiday List for Optional Leave,पर्यायी रजेसाठी सुट्टी यादी DocType: Item Tax Template,Tax Rates,कर दर +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आयटम कोड> आयटम गट> ब्रँड DocType: Asset,Asset Owner,मालमत्ता मालक DocType: Item,Website Content,वेबसाइट सामग्री DocType: Bank Account,Integration ID,एकत्रीकरण आयडी @@ -6577,6 +6584,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,अतिरिक्त खर्च apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","व्हाउचर नाही आधारित फिल्टर करू शकत नाही, व्हाउचर प्रमाणे गटात समाविष्ट केले तर" DocType: Quality Inspection,Incoming,येणार्या +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> क्रमांकिंग सीरिजद्वारे उपस्थितीसाठी क्रमांकन मालिका सेट करा apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,विक्री आणि खरेदीसाठी डिफॉल्ट कर टेम्पलेट तयार केले जातात. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,मूल्यांकन परिणाम रेकॉर्ड {0} आधीपासूनच अस्तित्वात आहे. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","उदाहरण: एबीसीडी. ##### जर मालिका सेट केली असेल आणि व्यवहारांमध्ये बॅच नंबरचा उल्लेख केला नसेल तर या मालिकेनुसार स्वयंचलित बॅच नंबर तयार केला जाईल. आपण नेहमी या आयटमसाठी बॅच नंबरचा स्पष्टपणे उल्लेख करू इच्छित असल्यास, हे रिक्त सोडा. टीप: हे सेटिंग शेअर सेटिंग्जमधील नामांकन सिरीज उपसर्गापेक्षा प्राथमिकता घेईल." @@ -6913,6 +6921,7 @@ DocType: Journal Entry,Write Off Entry,प्रवेश बंद लिहा DocType: BOM,Rate Of Materials Based On,दर साहित्य आधारित रोजी DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","सक्षम असल्यास, प्रोग्राम एनरोलमेंट टूलमध्ये फील्ड शैक्षणिक कालावधी अनिवार्य असेल." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","माफी, शून्य रेट आणि जीएसटी-नसलेली आवक पुरवठा याची मूल्ये" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक गट> प्रदेश apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,कंपनी अनिवार्य फिल्टर आहे. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,सर्व अनचेक करा DocType: Purchase Taxes and Charges,On Item Quantity,आयटम प्रमाण वर @@ -6958,6 +6967,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,सामील apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,कमतरता Qty DocType: Purchase Invoice,Input Service Distributor,इनपुट सेवा वितरक apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,आयटम variant {0} ज्याच्यामध्ये समान गुणधर्म अस्तित्वात आहेत +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षण> शिक्षण सेटिंग्ज मधील इन्स्ट्रक्टर नामांकन प्रणाली सेट करा DocType: Loan,Repay from Salary,पगार पासून परत फेड करा DocType: Exotel Settings,API Token,एपीआय टोकन apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},विरुद्ध पैसे विनंती {0} {1} रक्कम {2} diff --git a/erpnext/translations/ms.csv b/erpnext/translations/ms.csv index 8eb5007a1b..45de81f94b 100644 --- a/erpnext/translations/ms.csv +++ b/erpnext/translations/ms.csv @@ -390,6 +390,7 @@ DocType: BOM Update Tool,New BOM,New BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Prosedur yang Ditetapkan apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Tunjukkan sahaja POS DocType: Supplier Group,Supplier Group Name,Nama Kumpulan Pembekal +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Tandatangan kehadiran sebagai DocType: Driver,Driving License Categories,Kategori Lesen Memandu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Sila masukkan Tarikh Penghantaran DocType: Depreciation Schedule,Make Depreciation Entry,Buat Entry Susutnilai @@ -1007,6 +1008,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Padam Transaksi Syarikat DocType: Production Plan Item,Quantity and Description,Kuantiti dan Penerangan apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Rujukan dan Tarikh Rujukan adalah wajib untuk transaksi Bank +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Sila tetapkan Siri Penamaan untuk {0} melalui Persediaan> Tetapan> Penamaan Siri DocType: Purchase Receipt,Add / Edit Taxes and Charges,Tambah / Edit Cukai dan Caj DocType: Payment Entry Reference,Supplier Invoice No,Pembekal Invois No DocType: Territory,For reference,Untuk rujukan @@ -4238,6 +4240,8 @@ DocType: Homepage,Homepage,Homepage DocType: Grant Application,Grant Application Details ,Butiran Permohonan Grant DocType: Employee Separation,Employee Separation,Pemisahan Pekerja DocType: BOM Item,Original Item,Item Asal +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Sila padamkan Pekerja {0} \ untuk membatalkan dokumen ini" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Tarikh Dokumen apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Rekod Bayaran Dibuat - {0} DocType: Asset Category Account,Asset Category Account,Akaun Kategori Asset @@ -5264,6 +5268,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Kos pelbagai apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Menetapkan Peristiwa untuk {0}, kerana pekerja yang bertugas di bawah Persons Jualan tidak mempunyai ID Pengguna {1}" DocType: Timesheet,Billing Details,Billing Details apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Sumber dan sasaran gudang mestilah berbeza +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Sila persediaan Sistem Penamaan Pekerja dalam Sumber Manusia> Tetapan HR apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Pembayaran gagal. Sila semak Akaun GoCardless anda untuk maklumat lanjut apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Tidak dibenarkan untuk mengemaskini transaksi saham lebih tua daripada {0} DocType: Stock Entry,Inspection Required,Pemeriksaan Diperlukan @@ -5499,6 +5504,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM semasa dan New BOM tidak boleh sama apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Slip Gaji ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Tarikh Persaraan mesti lebih besar daripada Tarikh Menyertai +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pembekal> Jenis Pembekal apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Pelbagai variasi DocType: Sales Invoice,Against Income Account,Terhadap Akaun Pendapatan apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Dihantar @@ -6341,6 +6347,7 @@ DocType: Program Enrollment,Institute's Bus,Bas Institute DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Peranan Dibenarkan untuk Set Akaun Frozen & Frozen Edit Entri DocType: Supplier Scorecard Scoring Variable,Path,Jalan apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Tidak boleh menukar PTJ ke lejar kerana ia mempunyai nod anak +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor penukaran UOM ({0} -> {1}) tidak ditemui untuk item: {2} DocType: Production Plan,Total Planned Qty,Jumlah Qty Yang Dirancang apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Urus niaga telah diambil dari kenyataan itu apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Nilai pembukaan @@ -6564,6 +6571,7 @@ DocType: Lab Test,Result Date,Tarikh keputusan DocType: Purchase Order,To Receive,Untuk Menerima DocType: Leave Period,Holiday List for Optional Leave,Senarai Percutian untuk Cuti Opsional DocType: Item Tax Template,Tax Rates,Kadar cukai +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod Item> Kumpulan Item> Jenama DocType: Asset,Asset Owner,Pemilik Aset DocType: Item,Website Content,Kandungan Laman Web DocType: Bank Account,Integration ID,ID Integrasi @@ -6690,6 +6698,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Kos tambahan apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Tidak boleh menapis berdasarkan Baucer Tidak, jika dikumpulkan oleh Baucar" DocType: Quality Inspection,Incoming,Masuk +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Sila persediaan siri penomboran untuk Kehadiran melalui Persediaan> Penomboran Siri apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Templat cukai lalai untuk jualan dan pembelian dicipta. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Rekod Keputusan Penilaian {0} sudah wujud. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Contoh: ABCD. #####. Jika siri ditetapkan dan No Batch tidak disebutkan dalam urus niaga, maka nombor batch automatik akan dibuat berdasarkan siri ini. Sekiranya anda sentiasa ingin menyatakan secara terperinci Batch No untuk item ini, biarkan kosong ini. Nota: tetapan ini akan diberi keutamaan di atas Prefix Prefix Prefix dalam Tetapan Stok." @@ -7033,6 +7042,7 @@ DocType: Journal Entry,Write Off Entry,Tulis Off Entry DocType: BOM,Rate Of Materials Based On,Kadar Bahan Based On DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Sekiranya diaktifkan, Tempoh Akademik bidang akan Dikenakan dalam Alat Pendaftaran Program." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Nilai-nilai yang dikecualikan, tidak diberi nilai dan bekalan masuk bukan CBP" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Kumpulan Pelanggan> Wilayah apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Syarikat adalah penapis mandatori. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Nyahtanda semua DocType: Purchase Taxes and Charges,On Item Quantity,Pada Kuantiti Item @@ -7078,6 +7088,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Sertai apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Kekurangan Qty DocType: Purchase Invoice,Input Service Distributor,Pengedar Perkhidmatan Input apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Varian item {0} wujud dengan ciri yang sama +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Sila persediaan Sistem Penamaan Pengajar dalam Pendidikan> Tetapan Pendidikan DocType: Loan,Repay from Salary,Membayar balik dari Gaji DocType: Exotel Settings,API Token,Token API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Meminta pembayaran daripada {0} {1} untuk jumlah {2} diff --git a/erpnext/translations/my.csv b/erpnext/translations/my.csv index 8467665a5a..73cec59f61 100644 --- a/erpnext/translations/my.csv +++ b/erpnext/translations/my.csv @@ -390,6 +390,7 @@ DocType: BOM Update Tool,New BOM,နယူး BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,သတ်မှတ်ထားသည့်လုပ်ထုံးလုပ်နည်းများ apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,သာ POS ပြရန် DocType: Supplier Group,Supplier Group Name,ပေးသွင်း Group မှအမည် +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,အဖြစ်တက်ရောက်သူမှတ်သားပါ DocType: Driver,Driving License Categories,လိုင်စင်အုပ်စုများမောင်းနှင် apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Delivery နေ့စွဲကိုရိုက်ထည့်ပေးပါ DocType: Depreciation Schedule,Make Depreciation Entry,တန်ဖိုး Entry 'Make @@ -1007,6 +1008,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,ကုမ္ပဏီငွေကြေးကိစ္စရှင်းလင်းမှု Delete DocType: Production Plan Item,Quantity and Description,အရေအတွက်နှင့်ဖျေါပွခကျြ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,ကိုးကားစရာအဘယ်သူမျှမနှင့်ကိုးကားစရာနေ့စွဲဘဏ်မှငွေပေးငွေယူဘို့မဖြစ်မနေဖြစ်ပါသည် +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,ကျေးဇူးပြု၍ Setup> Settings> Naming Series မှ {0} အတွက် Naming Series ကိုသတ်မှတ်ပါ DocType: Purchase Receipt,Add / Edit Taxes and Charges,/ Edit ကိုအခွန်နှင့်စွပ်စွဲချက် Add DocType: Payment Entry Reference,Supplier Invoice No,ပေးသွင်းပြေစာမရှိ DocType: Territory,For reference,ကိုးကားနိုင်ရန် @@ -5256,6 +5258,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,အမျိ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",အရောင်း Persons အောက်ကမှပူးတွဲထမ်းတစ်ဦးအသုံးပြုသူ ID {1} ရှိသည်ပါဘူးကတည်းက {0} မှပွဲများကိုပြင်ဆင်ခြင်း DocType: Timesheet,Billing Details,ငွေတောင်းခံအသေးစိတ် apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,အရင်းအမြစ်နှင့်ပစ်မှတ်ဂိုဒေါင်မတူညီတဲ့သူဖြစ်ရမည် +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ကျေးဇူးပြု၍ လူ့စွမ်းအားအရင်းအမြစ်> HR ဆက်တင်တွင် Employee Naming System ကိုထည့်သွင်းပါ apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ငွေပေးချေမှုရမည့်မအောင်မြင်ပါ။ အသေးစိတ်အဘို့သင့် GoCardless အကောင့်စစ်ဆေးပါ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} ထက်အသက်အရွယ်ကြီးစတော့ရှယ်ယာအရောင်းအ update လုပ်ဖို့ခွင့်မပြု DocType: Stock Entry,Inspection Required,စစ်ဆေးရေးလိုအပ်ပါသည် @@ -5491,6 +5494,7 @@ DocType: Bank Account,IBAN,IBAN ကုဒ်ကို apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,လက်ရှိ BOM နှင့် New BOM အတူတူမဖွစျနိုငျ apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,လစာစလစ်ဖြတ်ပိုင်းပုံစံ ID ကို apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,အငြိမ်းစားအမျိုးမျိုးနေ့စွဲအတူနေ့စွဲထက် သာ. ကြီးမြတ်ဖြစ်ရမည် +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ပေးသွင်းသူ> ပေးသွင်းသူအမျိုးအစား apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,အကွိမျမြားစှာမူကွဲ DocType: Sales Invoice,Against Income Account,ဝင်ငွေခွန်အကောင့်ဆန့်ကျင် apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,ကယ်နှုတ်တော်မူ၏ {0}% @@ -6332,6 +6336,7 @@ DocType: Program Enrollment,Institute's Bus,အင်စတီကျုရဲ့ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Frozen Accounts ကို & Edit ကိုအေးခဲ Entries Set မှ Allowed အခန်းကဏ္ဍ DocType: Supplier Scorecard Scoring Variable,Path,path apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ဒါကြောင့်ကလေးဆုံမှတ်များရှိပါတယ်အဖြစ်လယ်ဂျာမှကုန်ကျစရိတ် Center က convert နိုင်ဘူး +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM ပြောင်းလဲမှုအချက် ({0} -> {1}) ကိုရှာမတွေ့ပါ။ {2} DocType: Production Plan,Total Planned Qty,စုစုပေါင်းစီစဉ်ထားအရည်အတွက် apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ပြီးသားကြေညာချက်ကနေ retreived ငွေကြေးလွှဲပြောင်းမှုမှာ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ဖွင့်လှစ် Value တစ်ခု @@ -6553,6 +6558,7 @@ DocType: Lab Test,Result Date,ရလဒ်နေ့စွဲ DocType: Purchase Order,To Receive,လက်ခံမှ DocType: Leave Period,Holiday List for Optional Leave,မလုပ်မဖြစ်ခွင့်များအတွက်အားလပ်ရက်များစာရင်း DocType: Item Tax Template,Tax Rates,အခွန်နှုန်း +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ပစ္စည်းကုဒ်> ပစ္စည်းအုပ်စု> ကုန်အမှတ်တံဆိပ် DocType: Asset,Asset Owner,ပိုင်ဆိုင်မှုပိုင်ရှင် DocType: Item,Website Content,ဝက်ဘ်ဆိုက်အကြောင်းအရာ DocType: Bank Account,Integration ID,ပေါင်းစည်းရေး ID ကို @@ -6679,6 +6685,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,အပိုဆောင်းကုန်ကျစရိတ် apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","ဘောက်ချာများကအုပ်စုဖွဲ့လျှင်, voucher မရှိပါအပေါ်အခြေခံပြီး filter နိုင်ဘူး" DocType: Quality Inspection,Incoming,incoming +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ကျေးဇူးပြု၍ Setup> Numbering Series မှတဆင့်တက်ရောက်သူများအတွက်နံပါတ်စဉ်ဆက်တင်များကိုစီစဉ်ပေးပါ apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,အရောင်းနှင့်ဝယ်ယူဘို့ default အခွန်တင်းပလိတ်များဖန်တီးနေကြသည်။ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,အကဲဖြတ်ရလဒ်စံချိန် {0} ရှိပြီးဖြစ်သည်။ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","ဥပမာ: ABCD ##### ။ ။ စီးရီးသတ်မှတ်နှင့်အသုတ်လိုက်အဘယ်သူမျှမငွေကြေးလွှဲပြောင်းမှုမှာဖော်ပြခဲ့တဲ့သည်မဟုတ်, ထို့နောက်အလိုအလျှောက်အသုတ်အရေအတွက်ကဒီစီးရီးအပေါ်အခြေခံပြီးဖန်တီးလိမ့်မည်။ အကယ်. သင်အမြဲအတိအလင်းဤအရာအတွက်အဘယ်သူမျှမဘတ်ချ်ဖော်ပြထားခြင်းချင်လျှင်, ဤအလွတ်ထားခဲ့ပါ။ မှတ်ချက်: ဒီ setting ကိုစတော့အိတ်ချိန်ညှိမှုများအတွက်အမည်ဖြင့်သမုတ်စီးရီးရှေ့စာလုံးကျော်ဦးစားပေးကိုယူပါလိမ့်မယ်။" @@ -7022,6 +7029,7 @@ DocType: Journal Entry,Write Off Entry,Entry ပိတ်ရေးထား DocType: BOM,Rate Of Materials Based On,ပစ္စည်းများအခြေတွင်အမျိုးမျိုး rate DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","enabled လြှငျ, လယ်ပြင်ပညာရေးဆိုင်ရာ Term အစီအစဉ်ကျောင်းအပ် Tool ကိုအတွက်မသင်မနေရဖြစ်လိမ့်မည်။" apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","ထောက်ပံ့ရေးပစ္စည်းများအတွင်းကင်းလွတ်ခွင့်, nil rated နှင့် Non-GST ၏တန်ဖိုးများ" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ဖောက်သည်> ဖောက်သည်အုပ်စု> နယ်မြေ apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,ကုမ္ပဏီသည် မဖြစ်မနေလိုအပ်သော filter တစ်ခုဖြစ်သည်။ apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,အားလုံးကို uncheck လုပ် DocType: Purchase Taxes and Charges,On Item Quantity,Item အရေအတွက်တွင် @@ -7067,6 +7075,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,ပူးပေါ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,ပြတ်လပ်မှု Qty DocType: Purchase Invoice,Input Service Distributor,input Service ကိုဖြန့်ဖြူး apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,item မူကွဲ {0} အတူတူ Attribute တွေနှင့်အတူတည်ရှိမှု့ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ကျေးဇူးပြုပြီးပညာရေး> ပညာရေးချိန်ညှိချက်များတွင်နည်းပြအမည်ပေးခြင်းစနစ်ကိုထည့်သွင်းပါ DocType: Loan,Repay from Salary,လစာထဲကနေပြန်ဆပ် DocType: Exotel Settings,API Token,API ကိုတိုကင် apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},ငွေပမာဏများအတွက် {0} {1} ဆန့်ကျင်ငွေပေးချေမှုတောင်းခံ {2} diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv index 1b2f08b9f3..b01def4939 100644 --- a/erpnext/translations/nl.csv +++ b/erpnext/translations/nl.csv @@ -390,6 +390,7 @@ DocType: BOM Update Tool,New BOM,Nieuwe Eenheid apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Voorgeschreven procedures apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Toon alleen POS DocType: Supplier Group,Supplier Group Name,Naam Leveranciergroep +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Markeer aanwezigheid als DocType: Driver,Driving License Categories,Rijbewijscategorieën apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Vul de Leveringsdatum in DocType: Depreciation Schedule,Make Depreciation Entry,Maak Afschrijvingen Entry @@ -1005,6 +1006,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Verwijder Company Transactions DocType: Production Plan Item,Quantity and Description,Hoeveelheid en beschrijving apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referentienummer en Reference Data is verplicht voor Bank transactie +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series in op {0} via Setup> Instellingen> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Toevoegen / Bewerken Belastingen en Heffingen DocType: Payment Entry Reference,Supplier Invoice No,Factuurnr. Leverancier DocType: Territory,For reference,Ter referentie @@ -4269,6 +4271,8 @@ DocType: Homepage,Homepage,Startpagina DocType: Grant Application,Grant Application Details ,Aanvraagdetails toekennen DocType: Employee Separation,Employee Separation,Werknemersscheiding DocType: BOM Item,Original Item,Origineel item +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Verwijder de werknemer {0} \ om dit document te annuleren" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Gemaakt - {0} DocType: Asset Category Account,Asset Category Account,Asset Categorie Account @@ -5305,6 +5309,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Kosten van ve apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Instellen Events naar {0}, omdat de werknemer die aan de onderstaande Sales Personen die niet beschikt over een gebruikers-ID {1}" DocType: Timesheet,Billing Details,Billing Details apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Bron en doel magazijn moet verschillen +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Stel het naamgevingssysteem voor werknemers in via Human Resource> HR-instellingen apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Betaling mislukt. Controleer uw GoCardless-account voor meer informatie apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Niet toegestaan om voorraadtransacties ouder dan {0} bij te werken DocType: Stock Entry,Inspection Required,Inspectie Verplicht @@ -5540,6 +5545,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Huidige Stuklijst en Nieuwe Stuklijst kunnen niet hetzelfde zijn apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Loonstrook ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Pensioneringsdatum moet groter zijn dan datum van indiensttreding +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverancier> Type leverancier apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Meerdere varianten DocType: Sales Invoice,Against Income Account,Tegen Inkomstenrekening apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Geleverd @@ -6382,6 +6388,7 @@ DocType: Program Enrollment,Institute's Bus,Instituut's Bus DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rol toegestaan om Stel Frozen Accounts & bewerken Frozen Entries DocType: Supplier Scorecard Scoring Variable,Path,Pad apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Kan kostenplaats niet omzetten naar grootboek vanwege onderliggende nodes +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-conversiefactor ({0} -> {1}) niet gevonden voor item: {2} DocType: Production Plan,Total Planned Qty,Totaal aantal geplande apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transacties zijn al teruggetrokken uit de verklaring apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,opening Value @@ -6605,6 +6612,7 @@ DocType: Lab Test,Result Date,Resultaatdatum DocType: Purchase Order,To Receive,Ontvangen DocType: Leave Period,Holiday List for Optional Leave,Vakantielijst voor optioneel verlof DocType: Item Tax Template,Tax Rates,BELASTINGTARIEVEN +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgroep> Merk DocType: Asset,Asset Owner,Activa-eigenaar DocType: Item,Website Content,Website inhoud DocType: Bank Account,Integration ID,Integratie ID @@ -6732,6 +6740,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Bijkomende kosten apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Kan niet filteren op basis van vouchernummer, indien gegroepeerd per voucher" DocType: Quality Inspection,Incoming,Inkomend +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel nummeringseries in voor Aanwezigheid via Setup> Nummeringsseries apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standaardbelastingsjablonen voor verkopen en kopen worden gemaakt. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Beoordeling Resultaat record {0} bestaat al. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Voorbeeld: ABCD. #####. Als reeks is ingesteld en Batch-nummer niet in transacties wordt vermeld, wordt op basis van deze reeks automatisch batchnummer gemaakt. Als u Batch-nummer voor dit artikel altijd expliciet wilt vermelden, laat dit veld dan leeg. Opmerking: deze instelling heeft voorrang boven het voorvoegsel Naamgevingsreeks in Voorraadinstellingen." @@ -7073,6 +7082,7 @@ DocType: Journal Entry,Write Off Entry,Invoer afschrijving DocType: BOM,Rate Of Materials Based On,Prijs van materialen op basis van DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Indien ingeschakeld, is de veld Academic Term verplicht in het programma-inschrijvingsinstrument." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Waarden van vrijgestelde, nihil en niet-GST inkomende leveringen" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klant> Klantengroep> Gebied apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Bedrijf is een verplicht filter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Verwijder het vinkje bij alle DocType: Purchase Taxes and Charges,On Item Quantity,Op artikelhoeveelheid @@ -7117,6 +7127,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Indiensttreding apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Tekort Aantal DocType: Purchase Invoice,Input Service Distributor,Input Service Distributeur apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Artikel variant {0} bestaat met dezelfde kenmerken +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Stel het instructeursysteem in onder onderwijs> onderwijsinstellingen DocType: Loan,Repay from Salary,Terugbetalen van Loon DocType: Exotel Settings,API Token,API-token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Betalingsverzoeken tegen {0} {1} van {2} bedrag diff --git a/erpnext/translations/no.csv b/erpnext/translations/no.csv index e6f3e435d3..b000af833a 100644 --- a/erpnext/translations/no.csv +++ b/erpnext/translations/no.csv @@ -390,6 +390,7 @@ DocType: BOM Update Tool,New BOM,New BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Foreskrevne prosedyrer apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Vis bare POS DocType: Supplier Group,Supplier Group Name,Leverandørgruppens navn +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Merk oppmøte som DocType: Driver,Driving License Categories,Kjørelisenskategorier apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Vennligst oppgi Leveringsdato DocType: Depreciation Schedule,Make Depreciation Entry,Gjør Avskrivninger Entry @@ -1007,6 +1008,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Slett transaksjoner DocType: Production Plan Item,Quantity and Description,Mengde og beskrivelse apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referansenummer og Reference Date er obligatorisk for Bank transaksjon +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Angi Naming Series for {0} via Setup> Settings> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Legg til / Rediger skatter og avgifter DocType: Payment Entry Reference,Supplier Invoice No,Leverandør Faktura Nei DocType: Territory,For reference,For referanse @@ -4233,6 +4235,8 @@ DocType: Homepage,Homepage,hjemmeside DocType: Grant Application,Grant Application Details ,Gi søknadsdetaljer DocType: Employee Separation,Employee Separation,Ansattes separasjon DocType: BOM Item,Original Item,Originalelement +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Slett ansatt {0} \ for å avbryte dette dokumentet" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dok dato apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Laget - {0} DocType: Asset Category Account,Asset Category Account,Asset Kategori konto @@ -5257,6 +5261,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Kostnad for u apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Innstilling Hendelser til {0}, siden den ansatte knyttet til under selgerne ikke har en bruker-ID {1}" DocType: Timesheet,Billing Details,Fakturadetaljer apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Kilde og mål lageret må være annerledes +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Sett inn ansattes navnsystem i menneskelige ressurser> HR-innstillinger apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Betalingen feilet. Vennligst sjekk din GoCardless-konto for mer informasjon apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ikke lov til å oppdatere lagertransaksjoner eldre enn {0} DocType: Stock Entry,Inspection Required,Inspeksjon påkrevd @@ -5492,6 +5497,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Nåværende BOM og New BOM kan ikke være det samme apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Lønn Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Pensjoneringstidspunktet må være større enn tidspunktet for inntreden +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandørtype apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Flere variasjoner DocType: Sales Invoice,Against Income Account,Mot Inntekt konto apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Leveres @@ -6334,6 +6340,7 @@ DocType: Program Enrollment,Institute's Bus,Instituttets buss DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rolle lov til å sette Frosne Kontoer og Rediger Frosne Entries DocType: Supplier Scorecard Scoring Variable,Path,Sti apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Kan ikke konvertere kostnadssted til hovedbok som den har barnet noder +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverteringsfaktor ({0} -> {1}) ikke funnet for varen: {2} DocType: Production Plan,Total Planned Qty,Totalt planlagt antall apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transaksjoner er allerede gjenopprettet fra uttalelsen apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,åpning Verdi @@ -6557,6 +6564,7 @@ DocType: Lab Test,Result Date,Resultatdato DocType: Purchase Order,To Receive,Å Motta DocType: Leave Period,Holiday List for Optional Leave,Ferieliste for valgfritt permisjon DocType: Item Tax Template,Tax Rates,Skattesatser +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varekode> Varegruppe> Merke DocType: Asset,Asset Owner,Asset Eier DocType: Item,Website Content,Innhold på nettstedet DocType: Bank Account,Integration ID,Integrasjons-ID @@ -6682,6 +6690,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Tilleggs Cost apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Kan ikke filtrere basert på Voucher Nei, hvis gruppert etter Voucher" DocType: Quality Inspection,Incoming,Innkommende +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Angi nummereringsserier for Oppmøte via Oppsett> Nummereringsserier apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standard skattemaler for salg og kjøp opprettes. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Vurderingsresultatrekord {0} eksisterer allerede. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Eksempel: ABCD. #####. Hvis serier er satt og Batch nr ikke er nevnt i transaksjoner, vil automatisk batchnummer bli opprettet basert på denne serien. Hvis du alltid vil uttrykkelig nevne Batch nr for dette elementet, la dette være tomt. Merk: Denne innstillingen vil ha prioritet i forhold til Naming Series Prefix i lagerinnstillinger." @@ -7023,6 +7032,7 @@ DocType: Journal Entry,Write Off Entry,Skriv Off Entry DocType: BOM,Rate Of Materials Based On,Valuta materialer basert på DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Hvis aktivert, vil feltet faglig semester være obligatorisk i programopptakingsverktøyet." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Verdier av unntatte, ikke-klassifiserte og ikke-GST-innforsyninger" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Selskapet er et obligatorisk filter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Fjern haken ved alle DocType: Purchase Taxes and Charges,On Item Quantity,På varemengde @@ -7067,6 +7077,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Bli med apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Mangel Antall DocType: Purchase Invoice,Input Service Distributor,Distributør for inndata apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Sak variant {0} finnes med samme attributtene +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vennligst konfigurer Instruktør Namning System i Utdanning> Utdanningsinnstillinger DocType: Loan,Repay from Salary,Smelle fra Lønn DocType: Exotel Settings,API Token,API-token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Ber om betaling mot {0} {1} for mengden {2} diff --git a/erpnext/translations/pl.csv b/erpnext/translations/pl.csv index 93ce7a264d..a05934bb0d 100644 --- a/erpnext/translations/pl.csv +++ b/erpnext/translations/pl.csv @@ -390,6 +390,7 @@ DocType: BOM Update Tool,New BOM,Nowe zestawienie materiałowe apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Zalecane procedury apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Pokaż tylko POS DocType: Supplier Group,Supplier Group Name,Nazwa grupy dostawcy +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Oznacz obecność jako DocType: Driver,Driving License Categories,Kategorie prawa jazdy apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Proszę podać datę doręczenia DocType: Depreciation Schedule,Make Depreciation Entry,Bądź Amortyzacja Entry @@ -1007,6 +1008,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Usuń Transakcje Spółki DocType: Production Plan Item,Quantity and Description,Ilość i opis apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Numer referencyjny i data jest obowiązkowe dla transakcji Banku +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ustaw Serie nazw dla {0} poprzez Ustawienia> Ustawienia> Serie nazw DocType: Purchase Receipt,Add / Edit Taxes and Charges, DocType: Payment Entry Reference,Supplier Invoice No,Nr faktury dostawcy DocType: Territory,For reference,Dla referencji @@ -4277,6 +4279,8 @@ DocType: Homepage,Homepage,Strona główna DocType: Grant Application,Grant Application Details ,Przyznaj szczegóły aplikacji DocType: Employee Separation,Employee Separation,Separacja pracowników DocType: BOM Item,Original Item,Oryginalna pozycja +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Usuń pracownika {0} \, aby anulować ten dokument" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Data apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Utworzono Records Fee - {0} DocType: Asset Category Account,Asset Category Account,Konto Aktywów Kategoria @@ -5315,6 +5319,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Koszt różny apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Ustawianie zdarzenia do {0}, ponieważ urzędnik dołączone do sprzedaży poniżej osób nie posiada identyfikator użytkownika {1}" DocType: Timesheet,Billing Details,Szczegóły płatności apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Źródło i magazyn docelowy musi być inna +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Skonfiguruj system nazewnictwa pracowników w dziale Zasoby ludzkie> Ustawienia HR apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Płatność nie powiodła się. Sprawdź swoje konto bez karty, aby uzyskać więcej informacji" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Niedozwolona jest modyfikacja transakcji zapasów starszych niż {0} DocType: Stock Entry,Inspection Required,Wymagana kontrola @@ -5549,6 +5554,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same, apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Wynagrodzenie Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Data przejścia na emeryturę musi być większa niż Data wstąpienia +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dostawca> Rodzaj dostawcy apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Wiele wariantów DocType: Sales Invoice,Against Income Account,Konto przychodów apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% dostarczono @@ -6391,6 +6397,7 @@ DocType: Program Enrollment,Institute's Bus,Autobus Instytutu DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rola Zezwalająca na Zamrażanie Kont i Edycję Zamrożonych Wpisów DocType: Supplier Scorecard Scoring Variable,Path,Ścieżka apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Nie można przekonwertować centrum kosztów do księgi głównej, jak to ma węzły potomne" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Nie znaleziono współczynnika konwersji UOM ({0} -> {1}) dla elementu: {2} DocType: Production Plan,Total Planned Qty,Całkowita planowana ilość apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transakcje już wycofane z wyciągu apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Wartość otwarcia @@ -6614,6 +6621,7 @@ DocType: Lab Test,Result Date,Data wyniku DocType: Purchase Order,To Receive,Otrzymać DocType: Leave Period,Holiday List for Optional Leave,Lista urlopowa dla Opcjonalnej Nieobecności DocType: Item Tax Template,Tax Rates,Wysokość podatków +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod pozycji> Grupa produktów> Marka DocType: Asset,Asset Owner,Właściciel zasobu DocType: Item,Website Content,Zawartość strony internetowej DocType: Bank Account,Integration ID,Identyfikator integracji @@ -6741,6 +6749,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Dodatkowy koszt apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nie można przefiltrować wg Podstawy, jeśli pogrupowano z użyciem Podstawy" DocType: Quality Inspection,Incoming,Przychodzące +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Skonfiguruj serie numeracji dla frekwencji poprzez Ustawienia> Serie numeracji apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Definiowane są domyślne szablony podatkowe dla sprzedaży i zakupu. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Wynik Wynik {0} już istnieje. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Przykład: ABCD. #####. Jeśli seria jest ustawiona, a numer partii nie jest wymieniony w transakcjach, na podstawie tej serii zostanie utworzony automatyczny numer partii. Jeśli zawsze chcesz wyraźnie podać numer partii dla tego produktu, pozostaw to pole puste. Uwaga: to ustawienie ma pierwszeństwo przed prefiksem serii nazw w Ustawieniach fotografii." @@ -7084,6 +7093,7 @@ DocType: Journal Entry,Write Off Entry,Odpis DocType: BOM,Rate Of Materials Based On,Stawka Materiałów Wzorowana na DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Jeśli opcja jest włączona, pole Akademickie oznaczenie będzie obowiązkowe w narzędziu rejestrowania programu." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Wartości zwolnionych, zerowych i niezawierających GST dostaw wewnętrznych" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> Grupa klientów> Terytorium apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Firma jest obowiązkowym filtrem. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Odznacz wszystkie DocType: Purchase Taxes and Charges,On Item Quantity,Na ilość przedmiotu @@ -7129,6 +7139,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,łączyć apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Niedobór szt DocType: Purchase Invoice,Input Service Distributor,Wprowadź dystrybutora usług apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Pozycja wariant {0} istnieje z samymi atrybutami +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Skonfiguruj system nazewnictwa instruktorów w sekcji Edukacja> Ustawienia edukacji DocType: Loan,Repay from Salary,Spłaty z pensji DocType: Exotel Settings,API Token,Token API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Żądanie zapłatę przed {0} {1} w ilości {2} diff --git a/erpnext/translations/ps.csv b/erpnext/translations/ps.csv index 5a5f276629..7bd21993b0 100644 --- a/erpnext/translations/ps.csv +++ b/erpnext/translations/ps.csv @@ -384,6 +384,7 @@ DocType: BOM Update Tool,New BOM,نوي هیښ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,ټاکل شوي کړنلارې apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,یواځې POS ښودل DocType: Supplier Group,Supplier Group Name,د سپلویزی ګروپ نوم +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,د شتون په توګه نښه کول د DocType: Driver,Driving License Categories,د موټر چلولو جوازونو کټګوري apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,مهرباني وکړئ د سپارلو نېټه ولیکئ DocType: Depreciation Schedule,Make Depreciation Entry,د استهالک د داخلولو د کمکیانو لپاره @@ -4152,6 +4153,8 @@ DocType: Homepage,Homepage,کورپاڼه DocType: Grant Application,Grant Application Details ,د غوښتنلیک توضیحات DocType: Employee Separation,Employee Separation,د کار کولو جلا کول DocType: BOM Item,Original Item,اصلي توکي +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","مهرباني وکړئ د دې سند لغوه کولو لپاره کارمند {0} delete حذف کړئ" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,د ډاټا تاریخ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},فیس سوابق ايجاد - {0} DocType: Asset Category Account,Asset Category Account,د شتمنیو د حساب کټه ګورۍ @@ -5157,6 +5160,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,د بیالب apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",د خوښو ته پیښی {0}، ځکه چې د کارګر ته لاندې خرڅلاو هغه اشخاص چې د وصل يو کارن تذکرو نه لري {1} DocType: Timesheet,Billing Details,د بیلونو په بشپړه توګه کتل apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,سرچینه او هدف ګدام بايد توپير ولري +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,مهرباني وکړئ د بشري سرچینو> HR ترتیبات کې د کارمند نوم ورکولو سیسټم تنظیم کړئ apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,تادیات ناکام شول. مهرباني وکړئ د نورو جزیاتو لپاره د ګرمسیرless حساب وګورئ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},اجازه نه سټاک معاملو د اوسمهالولو په پرتله د زړو {0} DocType: Stock Entry,Inspection Required,تفتیش مطلوب @@ -5387,6 +5391,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,اوسني هیښ او نوي هیښ نه شي کولای ورته وي apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,معاش ټوټه ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,نېټه د تقاعد باید په پرتله د داخلیدل نېټه ډيره وي +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کونکي> عرضه کونکي ډول apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,ګڼ شمیر متغیرات DocType: Sales Invoice,Against Income Account,په وړاندې پر عايداتو باندې حساب apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}٪ تحویلوونکی @@ -6216,6 +6221,7 @@ DocType: Program Enrollment,Institute's Bus,د انسټیټوټ بس DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,رول اجازه ګنګل حسابونه ایډیټ ګنګل توکي ټاکل شوی DocType: Supplier Scorecard Scoring Variable,Path,پټه apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ته د پنډو لګښت مرکز بدلوي نشي کولای، ځکه دا د ماشوم غوټو لري +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},د UOM د بدلون فاکتور ({0} -> {1}) د توکي لپاره ونه موندل شو: {2} DocType: Production Plan,Total Planned Qty,ټول پلان شوي مقدار apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,معاملې دمخه د بیان څخه بیرته اخیستل شوي apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,د پرانستلو په ارزښت @@ -6435,6 +6441,7 @@ DocType: Lab Test,Result Date,د پایلو نیټه DocType: Purchase Order,To Receive,تر لاسه DocType: Leave Period,Holiday List for Optional Leave,د اختیاري لیږد لپاره د رخصتي لیست DocType: Item Tax Template,Tax Rates,د مالیې نرخونه +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,د توکو کوډ> د توکو ګروپ> نښه DocType: Asset,Asset Owner,د شتمنی مالک DocType: Item,Website Content,د ویب پا Contentې مینځپانګه DocType: Bank Account,Integration ID,د ادغام ID @@ -6559,6 +6566,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,اضافي لګښت apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",نه ګټمنو نه پر بنسټ کولای شي Filter، که ګروپ له خوا د ګټمنو DocType: Quality Inspection,Incoming,راتلونکي +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,مهرباني وکړئ د تنظیم کولو له لارې د شمیره ورکولو لړۍ له لارې د ګډون لپاره د شمېرنې لړۍ تنظیم کړئ apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,د پلور او اخیستلو لپاره د اصلي مالیې ټیکنالوژي جوړېږي. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,د ارزونې پایلې ریکارډ {0} لا د مخه وجود لري. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",بېلګه: ABCD. #####. که چیرې سلسله جوړه شي او بسته نه په لیږد کې ذکر شوي، نو د دې لړۍ پر بنسټ به د اتوماتیک بچ شمیره جوړه شي. که تاسو غواړئ چې په ښکاره توګه د دې شیدو لپاره د بچ نښې یادونه وکړئ، دا خالي کړئ. یادونه: دا ترتیب به د سټاک په سیسټمونو کې د نومونې سیریلیز انفکس په ترڅ کې لومړیتوب واخلي. @@ -6896,6 +6904,7 @@ DocType: Journal Entry,Write Off Entry,ولیکئ پړاو په انفاذ DocType: BOM,Rate Of Materials Based On,کچه د موادو پر بنسټ DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",که چیرې فعال شي، ساحه اکادمیکه اصطالح به د پروګرام په شمول کولو کې وسیله وي. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",د معافیت ، نیل درج شوي او غیر جی ایس ټي داخلي تحویلیو ارزښتونه +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,پیرودونکي> د پیرودونکي ګروپ> سیمه apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,شرکت لازمي فلټر دی. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,څلورڅنډی په ټولو DocType: Purchase Taxes and Charges,On Item Quantity,د توکو مقدار @@ -6941,6 +6950,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,سره یو ځای apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,په کمښت کې Qty DocType: Purchase Invoice,Input Service Distributor,ننوت خدمت توزیع کونکی apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,د قالب variant {0} سره ورته صفاتو شتون +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,مهرباني وکړئ د ښوونې او روزنې ترتیبات کې د ښوونکي نوم ورکولو سیسټم تنظیم کړئ DocType: Loan,Repay from Salary,له معاش ورکول DocType: Exotel Settings,API Token,د API ټوکن apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},د غوښتنې په وړاندې د پیسو {0} د {1} لپاره د اندازه {2} diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv index 1b96d9e0b3..68b92e598a 100644 --- a/erpnext/translations/pt.csv +++ b/erpnext/translations/pt.csv @@ -390,6 +390,7 @@ DocType: BOM Update Tool,New BOM,Nova LDM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procedimentos prescritos apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Mostrar apenas POS DocType: Supplier Group,Supplier Group Name,Nome do Grupo de Fornecedores +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Marcar presença como DocType: Driver,Driving License Categories,Categorias de licenças de condução apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Digite Data de Entrega DocType: Depreciation Schedule,Make Depreciation Entry,Efetuar Registo de Depreciação @@ -1007,6 +1008,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Eliminar Transações da Empresa DocType: Production Plan Item,Quantity and Description,Quantidade e Descrição apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,É obrigatório colocar o Nº de Referência e a Data de Referência para as transações bancárias +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Defina Naming Series como {0} em Configuração> Configurações> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Adicionar / Editar Impostos e Taxas DocType: Payment Entry Reference,Supplier Invoice No,Nr. de Fatura de Fornecedor DocType: Territory,For reference,Para referência @@ -4269,6 +4271,8 @@ DocType: Homepage,Homepage,Página Inicial DocType: Grant Application,Grant Application Details ,Detalhes do pedido de concessão DocType: Employee Separation,Employee Separation,Separação de funcionários DocType: BOM Item,Original Item,Item Original +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Por favor, exclua o funcionário {0} \ para cancelar este documento" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Data do Doc apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Registos de Propinas Criados - {0} DocType: Asset Category Account,Asset Category Account,Categoria de Conta de Ativo @@ -5306,6 +5310,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Custo de dive apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","A Configurar Eventos para {0}, uma vez que o Funcionário vinculado ao Vendedor abaixo não possui uma ID de Utilizador {1}" DocType: Timesheet,Billing Details,Dados de Faturação apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,A fonte e o armazém de destino devem ser diferentes um do outro +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configure o sistema de nomeação de funcionários em Recursos humanos> Configurações de RH apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Pagamento falhou. Por favor, verifique a sua conta GoCardless para mais detalhes" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Não é permitido atualizar transações com ações mais antigas que {0} DocType: Stock Entry,Inspection Required,Inspeção Obrigatória @@ -5541,6 +5546,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,A LDM Atual e a Nova LDN não podem ser iguais apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ID de Folha de Vencimento apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,A Data De Saída deve ser posterior à Data de Admissão +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornecedor> Tipo de fornecedor apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Variantes múltiplas DocType: Sales Invoice,Against Income Account,Na Conta de Rendimentos apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Entregue @@ -6382,6 +6388,7 @@ DocType: Program Enrollment,Institute's Bus,Ônibus do Instituto DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Função Permitida para Definir as Contas Congeladas e Editar Registos Congelados DocType: Supplier Scorecard Scoring Variable,Path,Caminho apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Não é possível converter o Centro de Custo a livro, uma vez que tem subgrupos" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Fator de conversão de UOM ({0} -> {1}) não encontrado para o item: {2} DocType: Production Plan,Total Planned Qty,Qtd total planejado apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transações já recuperadas da declaração apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valor Inicial @@ -6605,6 +6612,7 @@ DocType: Lab Test,Result Date,Data do resultado DocType: Purchase Order,To Receive,A Receber DocType: Leave Period,Holiday List for Optional Leave,Lista de férias para licença opcional DocType: Item Tax Template,Tax Rates,Taxas de impostos +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código do item> Grupo de itens> Marca DocType: Asset,Asset Owner,Proprietário de ativos DocType: Item,Website Content,Conteúdo do site DocType: Bank Account,Integration ID,ID de integração @@ -6732,6 +6740,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Custo Adicional apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Não pode filtrar com base no Nr. de Voucher, se estiver agrupado por Voucher" DocType: Quality Inspection,Incoming,Entrada +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configure séries de numeração para Presença em Configuração> Série de numeração apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Os modelos de imposto padrão para vendas e compra são criados. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Avaliação O registro de resultados {0} já existe. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Exemplo: ABCD. #####. Se a série estiver configurada e o número de lote não for mencionado nas transações, o número de lote automático será criado com base nessa série. Se você sempre quiser mencionar explicitamente o Lote Não para este item, deixe em branco. Nota: esta configuração terá prioridade sobre o prefixo da série de nomeação em Configurações de estoque." @@ -7081,6 +7090,7 @@ DocType: Journal Entry,Write Off Entry,Registo de Liquidação DocType: BOM,Rate Of Materials Based On,Taxa de Materiais Baseada Em DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Se ativado, o Termo Acadêmico do campo será obrigatório na Ferramenta de Inscrição do Programa." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Valores de suprimentos internos isentos, nulos e não-GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Território apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,A empresa é um filtro obrigatório. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Desmarcar todos DocType: Purchase Taxes and Charges,On Item Quantity,Na quantidade do item @@ -7126,6 +7136,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Inscrição apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Qtd de Escassez DocType: Purchase Invoice,Input Service Distributor,Distribuidor de serviços de entrada apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,A variante do Item {0} já existe com mesmos atributos +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configure o Sistema de Nomenclatura do Instrutor em Educação> Configurações da Educação DocType: Loan,Repay from Salary,Reembolsar a partir de Salário DocType: Exotel Settings,API Token,Token da API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Solicitando o pagamento contra {0} {1} para montante {2} diff --git a/erpnext/translations/ro.csv b/erpnext/translations/ro.csv index 4243d651f5..3c13ef0094 100644 --- a/erpnext/translations/ro.csv +++ b/erpnext/translations/ro.csv @@ -390,6 +390,7 @@ DocType: BOM Update Tool,New BOM,Nou BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Proceduri prescrise apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Afișați numai POS DocType: Supplier Group,Supplier Group Name,Numele grupului de furnizori +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Marcați prezența ca DocType: Driver,Driving License Categories,Categorii de licență de conducere apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Introduceți data livrării DocType: Depreciation Schedule,Make Depreciation Entry,Asigurați-vă Amortizarea Intrare @@ -1007,6 +1008,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Ștergeți Tranzacții de Firma DocType: Production Plan Item,Quantity and Description,Cantitate și descriere apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,De referință nr și de referință Data este obligatorie pentru tranzacție bancară +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vă rugăm să setați Naming Series pentru {0} prin Setare> Setări> Serie pentru denumire DocType: Purchase Receipt,Add / Edit Taxes and Charges,Adaugaţi / editaţi taxe și cheltuieli DocType: Payment Entry Reference,Supplier Invoice No,Furnizor Factura Nu DocType: Territory,For reference,Pentru referință @@ -4275,6 +4277,8 @@ DocType: Homepage,Homepage,Pagina Principală DocType: Grant Application,Grant Application Details ,Detalii privind cererile de finanțare DocType: Employee Separation,Employee Separation,Separarea angajaților DocType: BOM Item,Original Item,Articolul original +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Vă rugăm să ștergeți angajatul {0} \ pentru a anula acest document" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Data Documentelor apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Taxa de inregistrare Creat - {0} DocType: Asset Category Account,Asset Category Account,Cont activ Categorie @@ -5312,6 +5316,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Costul divers apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Setarea Evenimente la {0}, deoarece angajatul atașat la mai jos de vânzare Persoanele care nu are un ID de utilizator {1}" DocType: Timesheet,Billing Details,Detalii de facturare apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Sursa și depozitul țintă trebuie să fie diferit +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vă rugăm să configurați sistemul de numire a angajaților în resurse umane> Setări HR apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Plata esuata. Verificați contul GoCardless pentru mai multe detalii apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nu este permis să actualizeze tranzacțiile bursiere mai vechi de {0} DocType: Stock Entry,Inspection Required,Inspecție obligatorii @@ -5547,6 +5552,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,FDM-ul curent și FDM-ul nou nu pot fi identici apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ID-ul de salarizare alunecare apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Data Pensionare trebuie să fie ulterioara Datei Aderării +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizor> Tip furnizor apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Variante multiple DocType: Sales Invoice,Against Income Account,Comparativ contului de venit apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Livrat @@ -6389,6 +6395,7 @@ DocType: Program Enrollment,Institute's Bus,Biblioteca Institutului DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rolul pot organiza conturile înghețate și congelate Editați intrările DocType: Supplier Scorecard Scoring Variable,Path,cale apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Nu se poate converti de cost Centrul de registru, deoarece are noduri copil" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Factorul de conversie UOM ({0} -> {1}) nu a fost găsit pentru articol: {2} DocType: Production Plan,Total Planned Qty,Cantitatea totală planificată apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Tranzacțiile au fost retrase din extras apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valoarea de deschidere @@ -6612,6 +6619,7 @@ DocType: Lab Test,Result Date,Data rezultatului DocType: Purchase Order,To Receive,A Primi DocType: Leave Period,Holiday List for Optional Leave,Lista de vacanță pentru concediul opțional DocType: Item Tax Template,Tax Rates,Taxe de impozitare +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cod articol> Grup de articole> Marcă DocType: Asset,Asset Owner,Proprietarul de proprietar DocType: Item,Website Content,Conținutul site-ului web DocType: Bank Account,Integration ID,ID de integrare @@ -6739,6 +6747,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Cost aditional apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nu se poate filtra pe baza voucher Nr., în cazul gruparii in functie de Voucher" DocType: Quality Inspection,Incoming,Primite +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vă rugăm să configurați seria de numerotare pentru prezență prin Setare> Numerotare apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Se creează șabloane fiscale predefinite pentru vânzări și achiziții. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Inregistrarea Rezultatului evaluării {0} există deja. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Exemplu: ABCD. #####. Dacă seria este setată și numărul lotului nu este menționat în tranzacții, atunci numărul lotului automat va fi creat pe baza acestei serii. Dacă doriți întotdeauna să menționați în mod explicit numărul lotului pentru acest articol, lăsați acest lucru necompletat. Notă: această setare va avea prioritate față de Prefixul Seriei de Nomenclatoare din Setările de stoc." @@ -7081,6 +7090,7 @@ DocType: Journal Entry,Write Off Entry,Amortizare intrare DocType: BOM,Rate Of Materials Based On,Rate de materiale bazate pe DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Dacă este activată, domeniul Academic Term va fi obligatoriu în Instrumentul de înscriere în program." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Valorile livrărilor interne scutite, nule și fără GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clienți> Teritoriul apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Compania este un filtru obligatoriu. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Deselecteaza tot DocType: Purchase Taxes and Charges,On Item Quantity,Pe cantitatea articolului @@ -7126,6 +7136,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,A adera apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Lipsă Cantitate DocType: Purchase Invoice,Input Service Distributor,Distribuitor de servicii de intrare apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Postul varianta {0} există cu aceleași atribute +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vă rugăm să configurați Sistemul de denumire a instructorului în Educație> Setări educație DocType: Loan,Repay from Salary,Rambursa din salariu DocType: Exotel Settings,API Token,Token API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Se solicita plata contra {0} {1} pentru suma {2} diff --git a/erpnext/translations/ru.csv b/erpnext/translations/ru.csv index 591b4d7fed..b949294f1c 100644 --- a/erpnext/translations/ru.csv +++ b/erpnext/translations/ru.csv @@ -390,6 +390,7 @@ DocType: BOM Update Tool,New BOM,Новая ВМ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Предписанные процедуры apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Показать только POS DocType: Supplier Group,Supplier Group Name,Название группы поставщиков +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Отметить посещаемость как DocType: Driver,Driving License Categories,Категории водительских прав apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Укажите дату поставки DocType: Depreciation Schedule,Make Depreciation Entry,Сделать запись амортизации @@ -1007,6 +1008,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Удалить Сделки Компания DocType: Production Plan Item,Quantity and Description,Количество и описание apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Ссылка № и дата Reference является обязательным для операции банка +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Пожалуйста, установите серию имен для {0} через Настройка> Настройки> Серия имен" DocType: Purchase Receipt,Add / Edit Taxes and Charges,Добавить или изменить налоги и сборы DocType: Payment Entry Reference,Supplier Invoice No,Поставщик Счет № DocType: Territory,For reference,Для справки @@ -4272,6 +4274,8 @@ DocType: Homepage,Homepage,Главная страница DocType: Grant Application,Grant Application Details ,Сведения о предоставлении гранта DocType: Employee Separation,Employee Separation,Разделение сотрудников DocType: BOM Item,Original Item,Оригинальный товар +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Пожалуйста, удалите Сотрудника {0} \, чтобы отменить этот документ" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Дата документа apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Создано записей платы - {0} DocType: Asset Category Account,Asset Category Account,Категория активов Счет @@ -5308,6 +5312,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Стоимо apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Настройка событий для {0}, так как работник прилагается к ниже продавцы не имеют идентификатор пользователя {1}" DocType: Timesheet,Billing Details,Платежные реквизиты apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Исходный и целевой склад должны быть разными +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Пожалуйста, настройте систему имен сотрудников в разделе «Управление персоналом»> «Настройки HR»" apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Платеж не прошел. Пожалуйста, проверьте свою учетную запись GoCardless для получения более подробной информации." apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},"Не допускается обновление операций перемещений по складу, старше чем {0}" DocType: Stock Entry,Inspection Required,Инспекция Обязательные @@ -5543,6 +5548,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,"Текущий спецификации и Нью-BOM не может быть таким же," apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Зарплата скольжения ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Дата выхода на пенсию должен быть больше даты присоединения +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Поставщик> Тип поставщика apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Несколько вариантов DocType: Sales Invoice,Against Income Account,Со счета доходов apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% доставлено @@ -6383,6 +6389,7 @@ DocType: Program Enrollment,Institute's Bus,Автобус института DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Роль разрешено устанавливать замороженные счета & Редактировать Замороженные Записи DocType: Supplier Scorecard Scoring Variable,Path,Дорожка apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Невозможно преобразовать МВЗ в книге, как это имеет дочерние узлы" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Коэффициент преобразования UOM ({0} -> {1}) не найден для элемента: {2} DocType: Production Plan,Total Planned Qty,Общее количество запланированных apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Транзакции уже получены из заявления apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Начальное значение @@ -6606,6 +6613,7 @@ DocType: Lab Test,Result Date,Дата результата DocType: Purchase Order,To Receive,Получить DocType: Leave Period,Holiday List for Optional Leave,Список праздников для дополнительного отпуска DocType: Item Tax Template,Tax Rates,Налоговые ставки +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товара> Группа товаров> Марка DocType: Asset,Asset Owner,Владелец актива DocType: Item,Website Content,Содержание сайта DocType: Bank Account,Integration ID,ID интеграции @@ -6733,6 +6741,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Дополнительная стоимость apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Не можете фильтровать на основе ваучером Нет, если сгруппированы по ваучером" DocType: Quality Inspection,Incoming,Входящий +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Пожалуйста, настройте серию нумерации для Посещаемости через Настройка> Серия нумерации" apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Создаются шаблоны налогов по умолчанию для продаж и покупки. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Запись результатов оценки {0} уже существует. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Пример: ABCD. #####. Если серия установлена, а номер партии не упоминается в транзакциях, то на основе этой серии автоматически будет создан номер партии. Если вы хотите всегда специально указывать номер партии для этого продукта, оставьте это поле пустым. Примечание: эта настройка будет иметь приоритет над Префиксом идентификации по имени в Настройках Склада." @@ -7076,6 +7085,7 @@ DocType: Journal Entry,Write Off Entry,Списание запись DocType: BOM,Rate Of Materials Based On,Оценить материалов на основе DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Если включено, поле «Академический срок» будет обязательным в Инструменте регистрации программы." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Значения льготных, нулевых и не связанных с GST внутренних поставок" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Группа клиентов> Территория apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Компания является обязательным фильтром. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Снять все DocType: Purchase Taxes and Charges,On Item Quantity,На количество товара @@ -7121,6 +7131,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Присоедин apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Нехватка Кол-во DocType: Purchase Invoice,Input Service Distributor,Дистрибьютор услуг ввода apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Модификация продукта {0} с этими атрибутами существует +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Пожалуйста, настройте систему имен инструкторов в «Образование»> «Настройки образования»" DocType: Loan,Repay from Salary,Погашать из заработной платы DocType: Exotel Settings,API Token,API-токен apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Запрос платеж против {0} {1} на сумму {2} diff --git a/erpnext/translations/si.csv b/erpnext/translations/si.csv index 8044e859dc..cd66197d63 100644 --- a/erpnext/translations/si.csv +++ b/erpnext/translations/si.csv @@ -381,6 +381,7 @@ DocType: BOM Update Tool,New BOM,නව ද්රව්ය ලේඛණය apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,නියමිත ක්රියාපටිපාටිය apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS පමණක් පෙන්වන්න DocType: Supplier Group,Supplier Group Name,සැපයුම් කණ්ඩායම් නම +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,පැමිණීම ලෙස සලකුණු කරන්න DocType: Driver,Driving License Categories,රියදුරු බලපත්ර කාණ්ඩය apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,කරුණාකර සැපයුම් දිනය ඇතුලත් කරන්න DocType: Depreciation Schedule,Make Depreciation Entry,ක්ෂය සටහන් කරන්න @@ -4145,6 +4146,8 @@ DocType: Homepage,Homepage,මුල් පිටුව DocType: Grant Application,Grant Application Details ,අයදුම් කිරීමේ තොරතුරු ලබා දීම DocType: Employee Separation,Employee Separation,සේවක වෙන්වීම DocType: BOM Item,Original Item,මුල්ම අයිතමය +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","මෙම ලේඛනය අවලංගු කිරීමට කරුණාකර සේවකයා {0} delete මකන්න" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ලේඛන දිනය apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},නිර්මාණය කරන ලද්දේ ගාස්තු වාර්තා - {0} DocType: Asset Category Account,Asset Category Account,වත්කම් ප්රවර්ගය ගිණුම් @@ -5145,6 +5148,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,විවි apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",", {0} වෙත සිදුවීම් කිරීම විකුණුම් පුද්ගලයන් පහත අනුයුක්ත සේවක වූ පරිශීලක අනන්යාංකය {1} සිදු නොවන බැවිනි" DocType: Timesheet,Billing Details,බිල්ගත විස්තර apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,මූලාශ්රය සහ ඉලක්කය ගබඩා සංකීර්ණය වෙනස් විය යුතුය +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,කරුණාකර සේවක නම් කිරීමේ පද්ධතිය මානව සම්පත්> මානව සම්පත් සැකසුම් තුළ සකසන්න apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ගෙවීම් අසාර්ථකයි. වැඩි විස්තර සඳහා ඔබගේ GoCardless ගිණුම පරීක්ෂා කරන්න apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} කට වඩා පැරණි කොටස් ගනුදෙනු යාවත්කාලීන කිරීමට අවසර නැත DocType: Stock Entry,Inspection Required,පරීක්ෂණ අවශ්ය @@ -5375,6 +5379,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,වත්මන් ද්රව්ය ලේඛණය හා නව ද්රව්ය ලේඛණය සමාන විය නොහැකි apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,වැටුප් පුරවා හැඳුනුම්පත apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,විශ්රාම ගිය දිනය සමඟ සම්බන්ධවීම දිනය වඩා වැඩි විය යුතුය +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,සැපයුම්කරු> සැපයුම්කරු වර්ගය apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,බහු ප්රභේද DocType: Sales Invoice,Against Income Account,ආදායම් ගිණුම එරෙහිව apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% භාර @@ -6204,6 +6209,7 @@ DocType: Program Enrollment,Institute's Bus,ආයතනය බස් රථය DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ශීත කළ ගිණුම් සහ සංස්කරණය කරන්න ශීත කළ අයැදුම්පත් සිටුවම් කිරීමට කාර්යභාරය DocType: Supplier Scorecard Scoring Variable,Path,මාර්ගය apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ලෙජර් පිරිවැය මධ්යස්ථානය බවට පත් කළ නොහැක එය ළමා මංසල කර ඇති පරිදි +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},අයිතමය සඳහා UOM පරිවර්තන සාධකය ({0} -> {1}) හමු නොවීය: {2} DocType: Production Plan,Total Planned Qty,මුලුමනින් සැලසුම්ගත Q apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ගනුදෙනු දැනටමත් ප්රකාශයෙන් ලබාගෙන ඇත apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,විවෘත කළ අගය @@ -6421,6 +6427,7 @@ DocType: Lab Test,Result Date,ප්රතිඵල දිනය DocType: Purchase Order,To Receive,ලබා ගැනීමට DocType: Leave Period,Holiday List for Optional Leave,විකල්ප නිවාඩු සඳහා නිවාඩු ලැයිස්තුව DocType: Item Tax Template,Tax Rates,බදු අනුපාත +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,අයිතම කේතය> අයිතම සමූහය> වෙළඳ නාමය DocType: Asset,Asset Owner,වත්කම් අයිතිකරු DocType: Item,Website Content,වෙබ් අඩවි අන්තර්ගතය DocType: Bank Account,Integration ID,ඒකාබද්ධ කිරීමේ හැඳුනුම්පත @@ -6545,6 +6552,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,අමතර පිරිවැය apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","වවුචරයක් වර්ගීකරණය නම්, වවුචරයක් නොමැත මත පදනම් පෙරීමට නොහැකි" DocType: Quality Inspection,Incoming,ලැබෙන +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,කරුණාකර පැමිණීම සඳහා අංකනය කිරීමේ ශ්‍රේණිය සැකසුම> අංකනය මාලාව හරහා සකසන්න apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,විකිණුම් සහ මිලදී ගැනීම සඳහා පෙරනිමි බදු ආකෘති නිර්මාණය කර ඇත. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,තක්සේරු ප්රතිඵල ප්රතිඵලය {0} දැනටමත් පවතී. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","උදාහරණය: ABCD. #####. කාණ්ඩ මාලාවක් සකසා ඇත්නම් සහ කාණ්ඩ අංක සඳහන් නොකරනු ලැබේ. පසුව මෙම ශ්රේණිය පදනම් කර ගත් ස්වයංක්රීය කාණ්ඩය වේ. මෙම අයිතමය සඳහා යාවත්කාලීන කිරීම සඳහා ඔබ සැමවිටම අවශ්ය නම්, මෙය හිස්ව තබන්න. සටහන: මෙම සැකසුම නාමකරණ අනුප්රාප්තිකය තුළ ඇති සැකසීම් වලදී ප්රමුඛතාව හිමිවනු ඇත." @@ -6878,6 +6886,7 @@ DocType: Journal Entry,Write Off Entry,පිවිසුම් Off ලියන DocType: BOM,Rate Of Materials Based On,ද්රව්ය මත පදනම් මත අනුපාතය DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","සක්රීය නම්, වැඩසටහන් බඳවා ගැනීමේ මෙවලමෙහි ඇති ක්ෂේත්ර අධ්යයන වාරය අනිවාර්ය වේ." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","නිදහස් කරන ලද, ශ්‍රේණිගත නොකළ සහ ජීඑස්ටී නොවන අභ්‍යන්තර සැපයුම්වල වටිනාකම්" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,පාරිභෝගික> පාරිභෝගික කණ්ඩායම> ප්‍රදේශය apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,සමාගම අනිවාර්ය පෙරණයකි. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,සියලු නොතේරූ නිසාවෙන් DocType: Purchase Taxes and Charges,On Item Quantity,අයිතමයේ ප්‍රමාණය මත @@ -6923,6 +6932,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,එක්වන් apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,හිඟය යවන ලද DocType: Purchase Invoice,Input Service Distributor,ආදාන සේවා බෙදාහරින්නා apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,අයිතමය ප්රභේද්යයක් {0} එම ලක්ෂණ සහිත පවතී +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,කරුණාකර අධ්‍යාපන> අධ්‍යාපන සැකසුම් තුළ උපදේශක නම් කිරීමේ පද්ධතිය සකසන්න DocType: Loan,Repay from Salary,වැටුප් සිට ආපසු ගෙවීම DocType: Exotel Settings,API Token,API ටෝකන් apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},මුදල සඳහා {0} {1} එරෙහිව ගෙවීම් ඉල්ලා {2} diff --git a/erpnext/translations/sk.csv b/erpnext/translations/sk.csv index e2bf0a8e2b..42308253d0 100644 --- a/erpnext/translations/sk.csv +++ b/erpnext/translations/sk.csv @@ -390,6 +390,7 @@ DocType: BOM Update Tool,New BOM,New BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Predpísané postupy apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Zobraziť len POS DocType: Supplier Group,Supplier Group Name,Názov skupiny dodávateľov +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Označiť účasť ako DocType: Driver,Driving License Categories,Kategórie vodičských preukazov apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Zadajte dátum doručenia DocType: Depreciation Schedule,Make Depreciation Entry,Urobiť Odpisy Entry @@ -1007,6 +1008,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Zmazať transakcie spoločnosti DocType: Production Plan Item,Quantity and Description,Množstvo a popis apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referenčné číslo a referenčný dátum je povinný pre bankové transakcie +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Prosím pomenujte Series pre {0} cez Setup> Settings> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Pridať / Upraviť dane a poplatky DocType: Payment Entry Reference,Supplier Invoice No,Dodávateľská faktúra č DocType: Territory,For reference,Pro srovnání @@ -4276,6 +4278,8 @@ DocType: Homepage,Homepage,Úvodné DocType: Grant Application,Grant Application Details ,Podrobnosti o žiadosti o grant DocType: Employee Separation,Employee Separation,Oddelenie zamestnancov DocType: BOM Item,Original Item,Pôvodná položka +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ak chcete tento dokument zrušiť, odstráňte zamestnanca {0} \" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dátum dokumentu apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Vytvoril - {0} DocType: Asset Category Account,Asset Category Account,Asset Kategórie Account @@ -5313,6 +5317,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Náklady na r apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Nastavenie udalostí do {0}, pretože zamestnanec pripojená k nižšie predajcom nemá ID užívateľa {1}" DocType: Timesheet,Billing Details,fakturačné údaje apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Zdrojové a cieľové sklad sa musí líšiť +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Nastavte systém pomenovávania zamestnancov v časti Ľudské zdroje> Nastavenia ľudských zdrojov apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Platba zlyhala. Skontrolujte svoj účet GoCardless pre viac informácií apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Není dovoleno měnit obchodů s akciemi starší než {0} DocType: Stock Entry,Inspection Required,Kontrola je povinná @@ -5548,6 +5553,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Aktuální BOM a New BOM nemůže být stejné apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Plat Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,"Datum odchodu do důchodu, musí být větší než Datum spojování" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodávateľ> Typ dodávateľa apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Viac variantov DocType: Sales Invoice,Against Income Account,Proti účet příjmů apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% dodané @@ -6388,6 +6394,7 @@ DocType: Program Enrollment,Institute's Bus,Autobus ústavu DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Role povoleno nastavit zmrazené účty a upravit Mražené Příspěvky DocType: Supplier Scorecard Scoring Variable,Path,cesta apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Nelze převést nákladového střediska na knihy, protože má podřízené uzly" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Prepočítavací faktor UOM ({0} -> {1}) nenájdený pre položku: {2} DocType: Production Plan,Total Planned Qty,Celkový plánovaný počet apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,"Transakcie, ktoré už boli z výkazu prevzaté" apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,otvorenie Value @@ -6611,6 +6618,7 @@ DocType: Lab Test,Result Date,Dátum výsledku DocType: Purchase Order,To Receive,Obdržať DocType: Leave Period,Holiday List for Optional Leave,Dovolenkový zoznam pre voliteľnú dovolenku DocType: Item Tax Template,Tax Rates,Daňové sadzby +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položiek> Značka DocType: Asset,Asset Owner,Majiteľ majetku DocType: Item,Website Content,Obsah webových stránok DocType: Bank Account,Integration ID,Integračné ID @@ -6738,6 +6746,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Dodatočné náklady apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nelze filtrovat na základě poukazu ne, pokud seskupeny podle poukazu" DocType: Quality Inspection,Incoming,Přicházející +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavte číslovaciu sériu pre účasť cez Nastavenie> Číslovacie série apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Predvolené daňové šablóny pre predaj a nákup sú vytvorené. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Hodnotenie výsledkov {0} už existuje. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Príklad: ABCD. #####. Ak je nastavená séria a v transakciách sa neuvádza dávka, potom sa na základe tejto série vytvorí automatické číslo dávky. Ak chcete vždy výslovne uviesť číslo dávky pre túto položku, ponechajte prázdne. Poznámka: Toto nastavenie bude mať prednosť pred prefixom série Naming v nastaveniach zásob." @@ -7081,6 +7090,7 @@ DocType: Journal Entry,Write Off Entry,Odepsat Vstup DocType: BOM,Rate Of Materials Based On,Hodnotit materiálů na bázi DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ak je povolené, pole Akademický termín bude povinné v programe Program registrácie." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Hodnoty vyňatých, nulových a nemateriálnych vnútorných dodávok" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníkov> Územie apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Spoločnosť je povinný filter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Zrušte zaškrtnutie políčka všetko DocType: Purchase Taxes and Charges,On Item Quantity,Na množstvo položky @@ -7126,6 +7136,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,pripojiť apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Nedostatek Množství DocType: Purchase Invoice,Input Service Distributor,Distribútor vstupných služieb apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Variant Položky {0} existuje s rovnakými vlastnosťami +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavte Pomenovací systém inštruktorov v časti Vzdelanie> Nastavenia vzdelávania DocType: Loan,Repay from Salary,Splatiť z platu DocType: Exotel Settings,API Token,Rozhranie API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Požiadavka na platbu proti {0} {1} na sumu {2} diff --git a/erpnext/translations/sl.csv b/erpnext/translations/sl.csv index ad70a22197..8eef545c7e 100644 --- a/erpnext/translations/sl.csv +++ b/erpnext/translations/sl.csv @@ -390,6 +390,7 @@ DocType: BOM Update Tool,New BOM,New BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Predpisani postopki apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Prikaži samo POS DocType: Supplier Group,Supplier Group Name,Ime skupine izvajalcev +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Označi udeležbo kot DocType: Driver,Driving License Categories,Kategorije vozniških dovoljenj apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Vnesite datum dostave DocType: Depreciation Schedule,Make Depreciation Entry,Naj Amortizacija Začetek @@ -1006,6 +1007,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Izbriši transakcije družbe DocType: Production Plan Item,Quantity and Description,Količina in opis apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referenčna številka in referenčni datum je obvezna za banke transakcijo +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Prosimo, nastavite Naming Series za {0} z nastavitvijo> Settings> Naming Series" DocType: Purchase Receipt,Add / Edit Taxes and Charges,Dodaj / Uredi davkov in dajatev DocType: Payment Entry Reference,Supplier Invoice No,Dobavitelj Račun Ne DocType: Territory,For reference,Za sklic @@ -4232,6 +4234,8 @@ DocType: Homepage,Homepage,Domača stran DocType: Grant Application,Grant Application Details ,Podrobnosti o aplikaciji za dodelitev sredstev DocType: Employee Separation,Employee Separation,Razdelitev zaposlenih DocType: BOM Item,Original Item,Izvirna postavka +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Prosimo, da izbrišete zaposlenega {0} \, če želite preklicati ta dokument" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Datum apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Created - {0} DocType: Asset Category Account,Asset Category Account,Sredstvo Kategorija račun @@ -5256,6 +5260,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Stroške razl apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Nastavitev dogodkov na {0}, saj je zaposlenih pritrjen na spodnji prodaje oseb nima uporabniško {1}" DocType: Timesheet,Billing Details,Podrobnosti o obračunavanju apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Vir in cilj skladišče mora biti drugačen +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Prosimo, nastavite sistem poimenovanja zaposlenih v kadrovski službi> Nastavitve človeških virov" apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Plačilo ni uspelo. Preverite svoj GoCardless račun za več podrobnosti apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},"Ni dovoljeno, da posodobite transakcije zalog starejši od {0}" DocType: Stock Entry,Inspection Required,Pregled Zahtevan @@ -5490,6 +5495,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Trenutni BOM in New BOM ne more biti enaka apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Plača Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Datum upokojitve mora biti večji od datuma pridružitve +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavitelj> Vrsta dobavitelja apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Večkratne različice DocType: Sales Invoice,Against Income Account,Proti dohodkov apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Dostavljeno @@ -6331,6 +6337,7 @@ DocType: Program Enrollment,Institute's Bus,Inštitutski avtobus DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,"Vloga dovoliti, da določijo zamrznjenih računih in uredi Zamrznjen Entries" DocType: Supplier Scorecard Scoring Variable,Path,Pot apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Ni mogoče pretvoriti v stroškovni center za knjigo, saj ima otrok vozlišč" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverzije za UOM ({0} -> {1}) za element: {2} DocType: Production Plan,Total Planned Qty,Skupno načrtovano število apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transakcije so že umaknjene iz izpisa apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Otvoritev Vrednost @@ -6554,6 +6561,7 @@ DocType: Lab Test,Result Date,Datum oddaje DocType: Purchase Order,To Receive,Prejeti DocType: Leave Period,Holiday List for Optional Leave,Seznam počitnic za izbirni dopust DocType: Item Tax Template,Tax Rates,Davčne stopnje +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda izdelka> Skupina izdelkov> Blagovna znamka DocType: Asset,Asset Owner,Lastnik sredstev DocType: Item,Website Content,Vsebina spletnega mesta DocType: Bank Account,Integration ID,ID integracije @@ -6680,6 +6688,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Dodatne Stroški apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Filter ne more temeljiti na kupona št, če je združena s Voucher" DocType: Quality Inspection,Incoming,Dohodni +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavite serijsko številčenje za udeležbo prek Setup> Numbering Series apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Ustvari so privzete davčne predloge za prodajo in nakup. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Ocenjevanje Rezultat zapisa {0} že obstaja. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Primer: ABCD. #####. Če je serija nastavljena in številka paketa ni navedena v transakcijah, bo na podlagi te serije izdelana avtomatična serijska številka. Če za to postavko vedno želite izrecno omeniti Lot št., Pustite to prazno. Opomba: ta nastavitev bo imela prednost pred imeniku serije Prefix v nastavitvah zalog." @@ -7023,6 +7032,7 @@ DocType: Journal Entry,Write Off Entry,Napišite Off Entry DocType: BOM,Rate Of Materials Based On,Oceni materialov na osnovi DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Če je omogočeno, bo polje Academic Term Obvezno v orodju za vpisovanje programov." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Vrednosti oproščenih, z ničelno vrednostjo in vhodnih dobav brez GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Stranka> Skupina kupcev> Ozemlje apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Podjetje je obvezen filter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Odznači vse DocType: Purchase Taxes and Charges,On Item Quantity,Na Količina izdelka @@ -7068,6 +7078,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,pridruži se apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Pomanjkanje Kol DocType: Purchase Invoice,Input Service Distributor,Distributer vhodnih storitev apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Obstaja postavka varianta {0} z enakimi atributi +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavite sistem poimenovanja inštruktorjev v izobraževanju> Nastavitve za izobraževanje DocType: Loan,Repay from Salary,Poplačilo iz Plača DocType: Exotel Settings,API Token,API žeton apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Zahteva plačilo pred {0} {1} za znesek {2} diff --git a/erpnext/translations/sq.csv b/erpnext/translations/sq.csv index 6bdf35dd4c..1fe647bfc6 100644 --- a/erpnext/translations/sq.csv +++ b/erpnext/translations/sq.csv @@ -385,6 +385,7 @@ DocType: BOM Update Tool,New BOM,Bom i ri apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procedurat e përshkruara apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Trego vetëm POS DocType: Supplier Group,Supplier Group Name,Emri i grupit të furnitorit +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Shënoni frekuentimin si DocType: Driver,Driving License Categories,Kategoritë e Licencës së Drejtimit apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Ju lutemi shkruani datën e dorëzimit DocType: Depreciation Schedule,Make Depreciation Entry,Bëni Amortizimi Hyrja @@ -991,6 +992,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Fshij Transaksionet Company DocType: Production Plan Item,Quantity and Description,Sasia dhe Përshkrimi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,I Referencës dhe Referenca Date është e detyrueshme për transaksion Bank +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ju lutemi vendosni Seritë e Emërtimit për {0} përmes Konfigurimit> Cilësimet> Seritë e Emrave DocType: Purchase Receipt,Add / Edit Taxes and Charges,Add / Edit taksat dhe tatimet DocType: Payment Entry Reference,Supplier Invoice No,Furnizuesi Fatura Asnjë DocType: Territory,For reference,Për referencë @@ -4163,6 +4165,8 @@ DocType: Homepage,Homepage,Faqe Hyrëse DocType: Grant Application,Grant Application Details ,Detajet e Aplikimit të Grantit DocType: Employee Separation,Employee Separation,Ndarja e Punonjësve DocType: BOM Item,Original Item,Origjinal +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ju lutemi fshini punonjësin {0} \ për të anulluar këtë dokument" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Data e Dokumentit apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Records tarifë Krijuar - {0} DocType: Asset Category Account,Asset Category Account,Asset Kategoria Llogaria @@ -5165,6 +5169,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Kosto e aktiv apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Vendosja Ngjarje për {0}, pasi që punonjësit e bashkangjitur më poshtë Personave Sales nuk ka një ID User {1}" DocType: Timesheet,Billing Details,detajet e faturimit apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Burimi dhe depo objektiv duhet të jetë i ndryshëm +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ju lutemi vendosni Sistemin e Emërtimit të Punonjësve në Burimet Njerëzore> Cilësimet e BNJ apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Pagesa dështoi. Kontrollo llogarinë tënde GoCardless për më shumë detaje apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nuk lejohet të përtërini transaksioneve të aksioneve të vjetër se {0} DocType: Stock Entry,Inspection Required,Kerkohet Inspektimi @@ -5395,6 +5400,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM aktuale dhe të reja bom nuk mund të jetë e njëjtë apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Paga Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Data e daljes në pension duhet të jetë më i madh se data e bashkimit +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizuesi> Lloji i furnizuesit apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Variante të shumëfishta DocType: Sales Invoice,Against Income Account,Kundër llogarisë së të ardhurave apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Dorëzuar @@ -6429,6 +6435,7 @@ DocType: Lab Test,Result Date,Data e Rezultatit DocType: Purchase Order,To Receive,Për të marrë DocType: Leave Period,Holiday List for Optional Leave,Lista e pushimeve për pushim fakultativ DocType: Item Tax Template,Tax Rates,Mimet e taksave +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kodi i Artikullit> Grupi i Artikujve> Marka DocType: Asset,Asset Owner,Pronar i aseteve DocType: Item,Website Content,Përmbajtja e faqes në internet DocType: Bank Account,Integration ID,ID e integrimit @@ -6551,6 +6558,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Kosto shtesë apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nuk mund të filtruar në bazë të Voucher Jo, qoftë të grupuara nga Bonon" DocType: Quality Inspection,Incoming,Hyrje +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ju lutemi vendosni seritë e numrave për Pjesëmarrje përmes Konfigurimit> Seritë e numrave apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Modelet e taksave të parazgjedhur për shitje dhe blerje krijohen. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Regjistrimi i rezultatit të rezultatit {0} tashmë ekziston. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Shembull: ABCD. #####. Nëse seria është vendosur dhe No Batch nuk është përmendur në transaksionet, atëherë numri i batch automatik do të krijohet bazuar në këtë seri. Nëse gjithmonë doni të përmendni në mënyrë eksplicite Jo Serisë për këtë artikull, lini këtë bosh. Shënim: Ky vendosje do të ketë prioritet mbi Prefixin e Serisë së Emërtimit në Rregullimet e Stock." @@ -6886,6 +6894,7 @@ DocType: Journal Entry,Write Off Entry,Shkruani Off Hyrja DocType: BOM,Rate Of Materials Based On,Shkalla e materialeve në bazë të DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Nëse aktivizohet, termi akademik i fushës do të jetë i detyrueshëm në programin e regjistrimit të programit." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Vlerat e furnizimeve të brendshme, të pavlefshme dhe të vlerësuara jo-GST përbrenda" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klienti> Grupi i klientëve> Territori apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Kompania është një filtër i detyrueshëm. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Uncheck gjitha DocType: Purchase Taxes and Charges,On Item Quantity,Në sasinë e sendit @@ -6930,6 +6939,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,bashkohem apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Mungesa Qty DocType: Purchase Invoice,Input Service Distributor,Distributori i Shërbimit të Hyrjes apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Item variant {0} ekziston me atributet e njëjta +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ju lutemi vendosni Sistemin e Emërtimit të Instruktorëve në Arsim> Cilësimet e arsimit DocType: Loan,Repay from Salary,Paguajë nga paga DocType: Exotel Settings,API Token,Token API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Kerkuar pagesën kundër {0} {1} për sasi {2} diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv index cf871ef95f..4c088f53fe 100644 --- a/erpnext/translations/sr.csv +++ b/erpnext/translations/sr.csv @@ -390,6 +390,7 @@ DocType: BOM Update Tool,New BOM,Нови БОМ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Прописане процедуре apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Прикажи само ПОС DocType: Supplier Group,Supplier Group Name,Име групе добављача +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Означи присуство као DocType: Driver,Driving License Categories,Возачке дозволе категорије apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Молимо унесите датум испоруке DocType: Depreciation Schedule,Make Depreciation Entry,Маке Трошкови Ентри @@ -1005,6 +1006,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Делете Цомпани трансакције DocType: Production Plan Item,Quantity and Description,Количина и опис apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Референца број и референце Датум је обавезна за банке трансакције +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Молимо поставите Наминг Сериес за {0} путем Подешавање> Подешавања> Именовање серије DocType: Purchase Receipt,Add / Edit Taxes and Charges,Адд / Едит порези и таксе DocType: Payment Entry Reference,Supplier Invoice No,Снабдевач фактура бр DocType: Territory,For reference,За референце @@ -4270,6 +4272,8 @@ DocType: Homepage,Homepage,страница DocType: Grant Application,Grant Application Details ,Грант Апплицатион Детаилс DocType: Employee Separation,Employee Separation,Раздвајање запослених DocType: BOM Item,Original Item,Оригинал Итем +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Избришите запосленика {0} \ да бисте отказали овај документ" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Доц Дате apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Накнада Записи Цреатед - {0} DocType: Asset Category Account,Asset Category Account,Средство Категорија налог @@ -5308,6 +5312,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Трошко apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Постављање Догађаји на {0}, јер запослени у прилогу у наставку продаје лица нема Усер ИД {1}" DocType: Timesheet,Billing Details,Детаљи наплате apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Извор и циљ складиште мора бити другачија +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Молимо вас да подесите систем именовања запослених у људским ресурсима> ХР подешавања apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Уплата није успела. Проверите свој ГоЦардлесс рачун за више детаља apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Није дозвољено да ажурирате акција трансакције старије од {0} DocType: Stock Entry,Inspection Required,Инспекција Обавезно @@ -5542,6 +5547,7 @@ DocType: Bank Account,IBAN,ИБАН apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,"Текущий спецификации и Нью- BOM не может быть таким же," apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Плата Слип ИД apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Дата выхода на пенсию должен быть больше даты присоединения +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добављач> врста добављача apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Вишеструке варијанте DocType: Sales Invoice,Against Income Account,Против приход apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Испоручено @@ -6384,6 +6390,7 @@ DocType: Program Enrollment,Institute's Bus,Институтски аутобу DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Улога дозвољено да постављају блокада трансакцијских рачуна & Едит Фрозен записи DocType: Supplier Scorecard Scoring Variable,Path,Пут apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Невозможно преобразовать МВЗ в книге , как это имеет дочерние узлы" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Фактор конверзије УОМ ({0} -> {1}) није пронађен за ставку: {2} DocType: Production Plan,Total Planned Qty,Укупна планирана количина apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Трансакције су већ повучене из извода apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Отварање Вредност @@ -6607,6 +6614,7 @@ DocType: Lab Test,Result Date,Датум резултата DocType: Purchase Order,To Receive,Примити DocType: Leave Period,Holiday List for Optional Leave,Лист за одмор за опциони одлазак DocType: Item Tax Template,Tax Rates,Пореске стопе +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код артикла> Група артикала> Марка DocType: Asset,Asset Owner,Власник имовине DocType: Item,Website Content,Садржај веб странице DocType: Bank Account,Integration ID,ИД интеграције @@ -6734,6 +6742,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Додатни трошак apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Не можете да филтрирате на основу ваучер Не , ако груписани по ваучер" DocType: Quality Inspection,Incoming,Долазни +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Молимо вас да подесите серију нумерирања за Аттенданце путем Подешавање> Серија нумерирања apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Основани порезни предлошци за продају и куповину су створени. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Оцењивање Резултат записа {0} већ постоји. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Пример: АБЦД. #####. Ако је серија подешена и Батцх Но се не помиње у трансакцијама, онда ће се на основу ове серије креирати аутоматски број серије. Уколико увек желите да експлицитно наведете Батцх Но за ову ставку, оставите ово празним. Напомена: ово подешавање ће имати приоритет над Префиксом назива серија у поставкама залиха." @@ -7075,6 +7084,7 @@ DocType: Journal Entry,Write Off Entry,Отпис Ентри DocType: BOM,Rate Of Materials Based On,Стопа материјала на бази DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ако је омогућено, поље Академски термин ће бити обавезно у алату за упис програма." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Вриједности изузетих, нултих оцјена и улазних залиха које нису ГСТ" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Купац> Група купаца> Територија apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Компанија је обавезан филтер. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Искључи све DocType: Purchase Taxes and Charges,On Item Quantity,Количина артикла @@ -7120,6 +7130,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Придружит apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Мањак Количина DocType: Purchase Invoice,Input Service Distributor,Дистрибутер улазне услуге apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Тачка варијанта {0} постоји са истим атрибутима +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Поставите систем именовања инструктора у Образовање> Подешавања образовања DocType: Loan,Repay from Salary,Отплатити од плате DocType: Exotel Settings,API Token,АПИ Токен apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Тражећи исплату од {0} {1} за износ {2} diff --git a/erpnext/translations/sv.csv b/erpnext/translations/sv.csv index b882651bb9..55f97941f1 100644 --- a/erpnext/translations/sv.csv +++ b/erpnext/translations/sv.csv @@ -390,6 +390,7 @@ DocType: BOM Update Tool,New BOM,Ny BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Föreskrivna förfaranden apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Visa bara POS DocType: Supplier Group,Supplier Group Name,Leverantörsgruppsnamn +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Markera närvaro som DocType: Driver,Driving License Categories,Körkortskategorier apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Ange leveransdatum DocType: Depreciation Schedule,Make Depreciation Entry,Göra Av- Entry @@ -1006,6 +1007,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Radera Företagstransactions DocType: Production Plan Item,Quantity and Description,Kvantitet och beskrivning apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referensnummer och referens Datum är obligatorisk för Bank transaktion +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ange Naming Series för {0} via Setup> Inställningar> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Lägg till / redigera skatter och avgifter DocType: Payment Entry Reference,Supplier Invoice No,Leverantörsfaktura Nej DocType: Territory,For reference,Som referens @@ -4233,6 +4235,8 @@ DocType: Homepage,Homepage,Hemsida DocType: Grant Application,Grant Application Details ,Ange ansökningsdetaljer DocType: Employee Separation,Employee Separation,Anställd separering DocType: BOM Item,Original Item,Ursprunglig artikel +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Radera anställden {0} \ för att avbryta detta dokument" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Datum apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Arvodes Records Skapad - {0} DocType: Asset Category Account,Asset Category Account,Tillgångsslag konto @@ -5259,6 +5263,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Kostnader fö apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Inställning Händelser till {0}, eftersom personal bifogas nedan försäljare inte har en användar-ID {1}" DocType: Timesheet,Billing Details,Faktureringsuppgifter apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Källa och mål lager måste vara annorlunda +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Installera anställdes namngivningssystem i mänskliga resurser> HR-inställningar apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Betalning misslyckades. Kontrollera ditt GoCardless-konto för mer information apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ej tillåtet att uppdatera lagertransaktioner äldre än {0} DocType: Stock Entry,Inspection Required,Inspektion krävs @@ -5494,6 +5499,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Aktuell BOM och Nya BOM kan inte vara samma apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Lön Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Datum för pensionering måste vara större än Datum för att delta +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverantör> Leverantörstyp apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Flera varianter DocType: Sales Invoice,Against Income Account,Mot Inkomst konto apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Levererad @@ -6335,6 +6341,7 @@ DocType: Program Enrollment,Institute's Bus,Institutets buss DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Roll tillåtas att fastställa frysta konton och Redigera Frysta Inlägg DocType: Supplier Scorecard Scoring Variable,Path,Väg apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Det går inte att konvertera kostnadsställe till huvudbok då den har underordnade noder +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-omvandlingsfaktor ({0} -> {1}) hittades inte för artikeln: {2} DocType: Production Plan,Total Planned Qty,Totalt planerat antal apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transaktioner har redan återkommit från uttalandet apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,öppnings Värde @@ -6558,6 +6565,7 @@ DocType: Lab Test,Result Date,Resultatdatum DocType: Purchase Order,To Receive,Att Motta DocType: Leave Period,Holiday List for Optional Leave,Semesterlista för valfritt semester DocType: Item Tax Template,Tax Rates,Skattesatser +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Produktkod> Produktgrupp> Märke DocType: Asset,Asset Owner,Tillgångsägare DocType: Item,Website Content,Webbplatsinnehåll DocType: Bank Account,Integration ID,Integrations-ID @@ -6684,6 +6692,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Extra kostnad apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",Kan inte filtrera baserat på kupong nr om grupperad efter kupong DocType: Quality Inspection,Incoming,Inkommande +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ställ in numreringsserier för närvaro via Setup> Numbering Series apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standardskattmallar för försäljning och inköp skapas. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Bedömningsresultatrekord {0} existerar redan. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Exempel: ABCD. #####. Om serier är inställda och batchnummer inte nämns i transaktioner, kommer automatiskt batchnummer att skapas baserat på denna serie. Om du alltid vill uttryckligen ange parti nr för det här objektet, lämna det här tomt. Obs! Den här inställningen kommer att prioriteras över namngivningssprefixet i lagerinställningar." @@ -7026,6 +7035,7 @@ DocType: Journal Entry,Write Off Entry,Avskrivningspost DocType: BOM,Rate Of Materials Based On,Hastighet av material baserade på DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",Om det är aktiverat är fältet Academic Term obligatoriskt i Programinmälningsverktyget. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Värden för undantagna, nollklassade och icke-GST-leveranser" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kund> Kundgrupp> Territorium apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Företaget är ett obligatoriskt filter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Avmarkera alla DocType: Purchase Taxes and Charges,On Item Quantity,På artikelkvantitet @@ -7070,6 +7080,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Gå med apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Brist Antal DocType: Purchase Invoice,Input Service Distributor,Distributör av ingångsservice apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Punkt variant {0} finns med samma attribut +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Installera instruktörens namngivningssystem i utbildning> Utbildningsinställningar DocType: Loan,Repay from Salary,Repay från Lön DocType: Exotel Settings,API Token,API-token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Begärande betalning mot {0} {1} för mängden {2} diff --git a/erpnext/translations/sw.csv b/erpnext/translations/sw.csv index 33c65ad80f..e67d3a949a 100644 --- a/erpnext/translations/sw.csv +++ b/erpnext/translations/sw.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,BOM mpya apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Taratibu zilizowekwa apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Onyesha POS tu DocType: Supplier Group,Supplier Group Name,Jina la kundi la wasambazaji +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Marko mahudhurio kama DocType: Driver,Driving License Categories,Makundi ya leseni ya kuendesha gari apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Tafadhali ingiza tarehe ya utoaji DocType: Depreciation Schedule,Make Depreciation Entry,Fanya kuingia kwa kushuka kwa thamani @@ -998,6 +999,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Futa Shughuli za Kampuni DocType: Production Plan Item,Quantity and Description,Kiasi na Maelezo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Kitabu cha Marejeo na Kumbukumbu ni lazima kwa shughuli za Benki +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Tafadhali weka Mfululizo wa Jina la {0} kupitia Kusanidi> Mipangilio> Mfululizo wa Kumtaja DocType: Purchase Receipt,Add / Edit Taxes and Charges,Ongeza / Badilisha Taxes na Malipo DocType: Payment Entry Reference,Supplier Invoice No,Nambari ya ankara ya wasambazaji DocType: Territory,For reference,Kwa kumbukumbu @@ -4193,6 +4195,8 @@ DocType: Homepage,Homepage,Homepage DocType: Grant Application,Grant Application Details ,Ruhusu Maelezo ya Maombi DocType: Employee Separation,Employee Separation,Ugawaji wa Waajiriwa DocType: BOM Item,Original Item,Nakala ya awali +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Tafadhali futa Mfanyikazi {0} \ ili kughairi hati hii" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Tarehe ya Hati apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Kumbukumbu za ada zilizoundwa - {0} DocType: Asset Category Account,Asset Category Account,Akaunti ya Jamii ya Mali @@ -5209,6 +5213,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Gharama ya sh apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Kuweka Matukio kwa {0}, kwa kuwa Mfanyikazi amefungwa kwa Watu chini ya Mauzo hawana ID ya Mtumiaji {1}" DocType: Timesheet,Billing Details,Maelezo ya kulipia apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Chanzo na lengo la ghala lazima iwe tofauti +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Tafadhali wasanidi Mfumo wa Kumtaja Mfanyikazi katika Rasilimali Watu> Mipangilio ya HR apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Malipo Imeshindwa. Tafadhali angalia Akaunti yako ya GoCardless kwa maelezo zaidi apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Hairuhusiwi kusasisha ushirikiano wa hisa zaidi kuliko {0} DocType: Stock Entry,Inspection Required,Ukaguzi unahitajika @@ -5441,6 +5446,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM ya sasa na BOM Mpya haiwezi kuwa sawa apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Kitambulisho cha Mshahara wa Mshahara apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Tarehe ya Kustaafu lazima iwe kubwa kuliko Tarehe ya kujiunga +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Mtoaji> Aina ya wasambazaji apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Vipengele vingi DocType: Sales Invoice,Against Income Account,Dhidi ya Akaunti ya Mapato apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Ametolewa @@ -6270,6 +6276,7 @@ DocType: Program Enrollment,Institute's Bus,Basi ya Taasisi DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Uwezo wa Kuruhusiwa Kuweka Akaunti Zenye Frozen & Hariri Vitisho vya Frozen DocType: Supplier Scorecard Scoring Variable,Path,Njia apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Haiwezi kubadilisha Kituo cha Gharama kwenye kiwanja kama ina nodes za watoto +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Sababu ya ubadilishaji wa UOM ({0} -> {1}) haipatikani kwa kipengee: {2} DocType: Production Plan,Total Planned Qty,Uchina Uliopangwa apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Manunuzi tayari yameshatolewa kutoka kwa taarifa apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Thamani ya Ufunguzi @@ -6492,6 +6499,7 @@ DocType: Lab Test,Result Date,Tarehe ya matokeo DocType: Purchase Order,To Receive,Kupokea DocType: Leave Period,Holiday List for Optional Leave,Orodha ya Likizo ya Kuondoka kwa Hiari DocType: Item Tax Template,Tax Rates,Viwango vya Ushuru +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Nambari ya Bidhaa> Kikundi cha bidhaa> Brand DocType: Asset,Asset Owner,Mmiliki wa Mali DocType: Item,Website Content,Yaliyomo kwenye Tovuti DocType: Bank Account,Integration ID,Kitambulisho cha Ujumuishaji @@ -6617,6 +6625,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Gharama za ziada apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Haiwezi kuchuja kulingana na Voucher No, ikiwa imewekwa na Voucher" DocType: Quality Inspection,Incoming,Inakuja +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Tafadhali sasisha safu za nambari za Kuhudhuria kupitia Usanidi> Mfululizo wa hesabu apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Vidokezo vya kodi za kutosha kwa mauzo na ununuzi vinaloundwa. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Tathmini ya Matokeo ya Tathmini {0} tayari imepo. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Mfano: ABCD. #####. Ikiwa mfululizo umewekwa na Batch No haijajwajwa katika shughuli, basi nambari ya kundi la moja kwa moja litaundwa kulingana na mfululizo huu. Ikiwa daima unataka kueleza wazi Kundi Hakuna kwa kipengee hiki, chagua hii tupu. Kumbuka: mipangilio hii itachukua kipaumbele juu ya Kiambatisho cha Msaada wa Naming katika Mipangilio ya Hifadhi" @@ -6957,6 +6966,7 @@ DocType: Journal Entry,Write Off Entry,Andika Entry Entry DocType: BOM,Rate Of Materials Based On,Kiwango cha Vifaa vya msingi DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ikiwa imewezeshwa, Muda wa Kitaa wa Shule utakuwa wa lazima katika Chombo cha Usajili wa Programu." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Thamani za misamaha, vifaa vya ndani visivyo na kipimo na visivyo vya GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Mteja> Kikundi cha Wateja> Wilaya apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Kampuni ni kichujio cha lazima. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Futa yote DocType: Purchase Taxes and Charges,On Item Quantity,Juu ya Wingi wa kitu @@ -7001,6 +7011,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Jiunge apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Uchina wa Ufupi DocType: Purchase Invoice,Input Service Distributor,Msambazaji wa Huduma ya Kuingiza apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Tofauti ya kipengee {0} ipo na sifa sawa +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Tafadhali wasanidi Mfumo wa Kumtaja Mtaalam katika Elimu> Mipangilio ya elimu DocType: Loan,Repay from Salary,Malipo kutoka kwa Mshahara DocType: Exotel Settings,API Token,Ishara ya API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Inalipa malipo dhidi ya {0} {1} kwa kiasi {2} diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv index f53e40a354..cb3b2385af 100644 --- a/erpnext/translations/ta.csv +++ b/erpnext/translations/ta.csv @@ -384,6 +384,7 @@ DocType: BOM Update Tool,New BOM,புதிய BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,பரிந்துரைக்கப்பட்ட நடைமுறைகள் apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS ஐ மட்டும் காட்டு DocType: Supplier Group,Supplier Group Name,சப்ளையர் குழு பெயர் +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,வருகை என குறிக்கவும் DocType: Driver,Driving License Categories,உரிமம் வகைகளை டிரைவிங் apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,டெலிவரி தேதி உள்ளிடுக DocType: Depreciation Schedule,Make Depreciation Entry,தேய்மானம் நுழைவு செய்ய @@ -4180,6 +4181,8 @@ DocType: Homepage,Homepage,முகப்பு DocType: Grant Application,Grant Application Details ,விண்ணப்பப் படிவங்களை வழங்குதல் DocType: Employee Separation,Employee Separation,ஊழியர் பிரிப்பு DocType: BOM Item,Original Item,அசல் பொருள் +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","இந்த ஆவணத்தை ரத்து செய்ய பணியாளர் {0} delete ஐ நீக்கவும்" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ஆவண தேதி apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},கட்டணம் பதிவுகள் உருவாக்கப்பட்டது - {0} DocType: Asset Category Account,Asset Category Account,சொத்து வகை கணக்கு @@ -5191,6 +5194,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,பல்வ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","அமைத்தல் நிகழ்வுகள் {0}, விற்பனை நபர்கள் கீழே இணைக்கப்பட்டுள்ளது பணியாளர் ஒரு பயனர் ஐடி இல்லை என்பதால் {1}" DocType: Timesheet,Billing Details,பில்லிங் விவரங்கள் apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,மூல மற்றும் இலக்கு கிடங்கில் வேறு இருக்க வேண்டும் +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,மனிதவள> மனிதவள அமைப்புகளில் பணியாளர் பெயரிடும் முறையை அமைக்கவும் apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,கட்டணம் தோல்வியடைந்தது. மேலும் விவரங்களுக்கு உங்கள் GoCardless கணக்கைச் சரிபார்க்கவும் apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},விட பங்கு பரிவர்த்தனைகள் பழைய இற்றைப்படுத்த முடியாது {0} DocType: Stock Entry,Inspection Required,ஆய்வு தேவை @@ -5421,6 +5425,7 @@ DocType: Bank Account,IBAN,IBAN இல் apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,தற்போதைய BOM மற்றும் நியூ BOM அதே இருக்க முடியாது apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,சம்பளம் ஸ்லிப் ஐடி apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,ஓய்வு நாள் சேர தேதி விட அதிகமாக இருக்க வேண்டும் +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,சப்ளையர்> சப்ளையர் வகை apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,பல மாறுபாடுகள் DocType: Sales Invoice,Against Income Account,வருமான கணக்கு எதிராக apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% வழங்கப்படுகிறது @@ -6244,6 +6249,7 @@ DocType: Program Enrollment,Institute's Bus,இன்ஸ்டிடியூஸ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,பங்கு உறைந்த கணக்குகள் & திருத்து உறைந்த பதிவுகள் அமைக்க அனுமதி DocType: Supplier Scorecard Scoring Variable,Path,பாதை apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,அது குழந்தை முனைகள் என லெட்ஜரிடம் செலவு மையம் மாற்ற முடியாது +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},உருப்படிக்கு UOM மாற்று காரணி ({0} -> {1}) காணப்படவில்லை: {2} DocType: Production Plan,Total Planned Qty,மொத்த திட்டமிடப்பட்ட Qty apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,பரிவர்த்தனைகள் ஏற்கனவே அறிக்கையிலிருந்து மீட்டெடுக்கப்பட்டன apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,திறப்பு மதிப்பு @@ -6461,6 +6467,7 @@ DocType: Lab Test,Result Date,முடிவு தேதி DocType: Purchase Order,To Receive,பெற DocType: Leave Period,Holiday List for Optional Leave,விருப்ப விடுப்புக்கான விடுமுறை பட்டியல் DocType: Item Tax Template,Tax Rates,வரி விகிதங்கள் +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,பொருள் குறியீடு> பொருள் குழு> பிராண்ட் DocType: Asset,Asset Owner,சொத்து உரிமையாளர் DocType: Item,Website Content,வலைத்தள உள்ளடக்கம் DocType: Bank Account,Integration ID,ஒருங்கிணைப்பு ஐடி @@ -6584,6 +6591,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,கூடுதல் செலவு apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","வவுச்சர் அடிப்படையில் வடிகட்ட முடியாது இல்லை , ரசீது மூலம் தொகுக்கப்பட்டுள்ளது என்றால்" DocType: Quality Inspection,Incoming,உள்வரும் +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,அமைவு> எண்ணைத் தொடர் வழியாக வருகைக்கான எண்ணைத் தொடரை அமைக்கவும் apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,விற்பனை மற்றும் வாங்குதலுக்கான இயல்புநிலை வரி வார்ப்புருக்கள் உருவாக்கப்படுகின்றன. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,மதிப்பீட்டு முடிவு பதிவேற்றம் {0} ஏற்கனவே உள்ளது. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","எடுத்துக்காட்டு: ABCD. #####. தொடர் அமைக்கப்பட்டிருந்தால், பரிமாற்றங்களில் பாஷ் நோட் குறிப்பிடப்படவில்லை என்றால், இந்தத் தொடரின் அடிப்படையில் தானியங்குத் தொகுதி எண் உருவாக்கப்படும். இந்த உருப்படியின் பேட்ச் இலக்கம் வெளிப்படையாக குறிப்பிட விரும்புவீர்களானால், இது வெறுமையாகும். குறிப்பு: இந்த அமைப்பு முன்னுரிமைகளை முன்னுரிமை பெறுகிறது." @@ -6916,6 +6924,7 @@ DocType: Journal Entry,Write Off Entry,நுழைவு ஆஃப் எழு DocType: BOM,Rate Of Materials Based On,ஆனால் அடிப்படையில் பொருட்களின் விகிதம் DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","இயக்கப்பட்டிருந்தால், படிப்படியான நுழைவுக் கருவியில் துறையில் கல்வி கட்டாயம் கட்டாயமாக இருக்கும்." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","விலக்கு, மதிப்பிடப்பட்ட மற்றும் ஜிஎஸ்டி அல்லாத உள் பொருட்களின் மதிப்புகள்" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,வாடிக்கையாளர்> வாடிக்கையாளர் குழு> பிரதேசம் apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,நிறுவனம் ஒரு கட்டாய வடிப்பான். apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,அனைத்தையும் தேர்வுநீக்கு DocType: Purchase Taxes and Charges,On Item Quantity,உருப்படி அளவு @@ -6960,6 +6969,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,சேர apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,பற்றாக்குறைவே அளவு DocType: Purchase Invoice,Input Service Distributor,உள்ளீட்டு சேவை விநியோகஸ்தர் apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,பொருள் மாறுபாடு {0} அதே பண்புகளை கொண்ட உள்ளது +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,கல்வி> கல்வி அமைப்புகளில் பயிற்றுவிப்பாளர் பெயரிடும் முறையை அமைக்கவும் DocType: Loan,Repay from Salary,சம்பளம் இருந்து திருப்பி DocType: Exotel Settings,API Token,API டோக்கன் apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},எதிராக கட்டணம் கோருகிறது {0} {1} அளவு {2} diff --git a/erpnext/translations/te.csv b/erpnext/translations/te.csv index ac19c67ce2..da13f524f2 100644 --- a/erpnext/translations/te.csv +++ b/erpnext/translations/te.csv @@ -381,6 +381,7 @@ DocType: BOM Update Tool,New BOM,న్యూ BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,సూచించిన పద్ధతులు apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS ను మాత్రమే చూపించు DocType: Supplier Group,Supplier Group Name,సరఫరాదారు సమూహం పేరు +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,హాజరును గుర్తించండి DocType: Driver,Driving License Categories,డ్రైవింగ్ లైసెన్స్ కేటగిరీలు apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,దయచేసి డెలివరీ తేదీని నమోదు చేయండి DocType: Depreciation Schedule,Make Depreciation Entry,అరుగుదల ఎంట్రీ చేయండి @@ -4133,6 +4134,8 @@ DocType: Homepage,Homepage,హోమ్పేజీ DocType: Grant Application,Grant Application Details ,దరఖాస్తు వివరాలు ఇవ్వండి DocType: Employee Separation,Employee Separation,ఉద్యోగి వేరు DocType: BOM Item,Original Item,అసలు అంశం +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ఈ పత్రాన్ని రద్దు చేయడానికి దయచేసి ఉద్యోగి {0} delete ను తొలగించండి" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc తేదీ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ఫీజు రికార్డ్స్ రూపొందించబడింది - {0} DocType: Asset Category Account,Asset Category Account,ఆస్తి వర్గం ఖాతా @@ -5126,6 +5129,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,వివి apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","ఈవెంట్స్ చేస్తోంది {0}, సేల్స్ పర్సన్స్ క్రింద జత ఉద్యోగి వాడుకరి ID లేదు నుండి {1}" DocType: Timesheet,Billing Details,బిల్లింగ్ వివరాలు apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,మూల మరియు లక్ష్య గిడ్డంగిలో భిన్నంగా ఉండాలి +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,దయచేసి మానవ వనరులు> హెచ్ ఆర్ సెట్టింగులలో ఉద్యోగుల నామకరణ వ్యవస్థను సెటప్ చేయండి apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,చెల్లింపు విఫలమైంది. దయచేసి మరిన్ని వివరాల కోసం మీ GoCardless ఖాతాను తనిఖీ చేయండి apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},లేదు కంటే పాత స్టాక్ లావాదేవీలు అప్డేట్ అనుమతి {0} DocType: Stock Entry,Inspection Required,ఇన్స్పెక్షన్ అవసరం @@ -5354,6 +5358,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,ప్రస్తుత BOM మరియు న్యూ BOM అదే ఉండకూడదు apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,జీతం స్లిప్ ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,రిటైర్మెంట్ డేట్ అఫ్ చేరడం తేదీ కంటే ఎక్కువ ఉండాలి +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,సరఫరాదారు> సరఫరాదారు రకం apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,బహుళ వైవిధ్యాలు DocType: Sales Invoice,Against Income Account,ఆదాయపు ఖాతా వ్యతిరేకంగా apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% పంపిణీ @@ -6179,6 +6184,7 @@ DocType: Program Enrollment,Institute's Bus,ఇన్స్టిట్యూట DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,పాత్ర ఘనీభవించిన అకౌంట్స్ & సవరించు ఘనీభవించిన ఎంట్రీలు సెట్ చేయడానికి అనుమతించాలో DocType: Supplier Scorecard Scoring Variable,Path,మార్గం apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ఇది పిల్లల నోడ్స్ కలిగి లెడ్జర్ కాస్ట్ సెంటర్ మార్చేందుకు కాదు +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},అంశం కోసం UOM మార్పిడి కారకం ({0} -> {1}) కనుగొనబడలేదు: {2} DocType: Production Plan,Total Planned Qty,మొత్తం ప్రణాళికాబద్ధమైన Qty apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,లావాదేవీలు ఇప్పటికే స్టేట్మెంట్ నుండి తిరిగి పొందబడ్డాయి apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ఓపెనింగ్ విలువ @@ -6396,6 +6402,7 @@ DocType: Lab Test,Result Date,ఫలితం తేదీ DocType: Purchase Order,To Receive,అందుకోవడం DocType: Leave Period,Holiday List for Optional Leave,ఐచ్ఛిక సెలవు కోసం హాలిడే జాబితా DocType: Item Tax Template,Tax Rates,పన్ను రేట్లు +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ఐటెమ్ కోడ్> ఐటెమ్ గ్రూప్> బ్రాండ్ DocType: Asset,Asset Owner,ఆస్తి యజమాని DocType: Item,Website Content,వెబ్‌సైట్ కంటెంట్ DocType: Bank Account,Integration ID,ఇంటిగ్రేషన్ ID @@ -6519,6 +6526,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,అదనపు ఖర్చు apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","ఓచర్ లేవు ఆధారంగా వడపోత కాదు, ఓచర్ ద్వారా సమూహం ఉంటే" DocType: Quality Inspection,Incoming,ఇన్కమింగ్ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,దయచేసి సెటప్> నంబరింగ్ సిరీస్ ద్వారా హాజరు కోసం నంబరింగ్ సిరీస్‌ను సెటప్ చేయండి apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,అమ్మకాలు మరియు కొనుగోలు కోసం డిఫాల్ట్ పన్ను టెంప్లేట్లు సృష్టించబడతాయి. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,అసెస్మెంట్ ఫలితం రికార్డు {0} ఇప్పటికే ఉంది. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","ఉదాహరణ: ABCD. #####. సిరీస్ సెట్ చేయబడి ఉంటే మరియు బ్యాచ్ నో లావాదేవీలలో పేర్కొనబడకపోతే, ఈ సిరీస్ ఆధారంగా ఆటోమేటిక్ బ్యాచ్ నంబర్ సృష్టించబడుతుంది. ఈ అంశానికి బ్యాచ్ నంబర్ను స్పష్టంగా చెప్పాలని మీరు అనుకుంటే, దీన్ని ఖాళీగా వదిలేయండి. గమనిక: ఈ సెట్టింగులు స్టాకింగ్ సెట్టింగులలో నామకరణ సీరీస్ ప్రిఫిక్స్ మీద ప్రాధాన్యతనిస్తాయి." @@ -6851,6 +6859,7 @@ DocType: Journal Entry,Write Off Entry,ఎంట్రీ ఆఫ్ వ్రా DocType: BOM,Rate Of Materials Based On,రేటు పదార్థాల బేస్డ్ న DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","ప్రారంభించబడితే, ఫీల్డ్ అకాడెమిక్ టర్మ్ ప్రోగ్రామ్ ఎన్రాల్మెంట్ టూల్లో తప్పనిసరి అవుతుంది." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","మినహాయింపు, నిల్ రేటెడ్ మరియు జిఎస్టి కాని లోపలి సరఫరా విలువలు" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,కస్టమర్> కస్టమర్ గ్రూప్> భూభాగం apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,కంపెనీ తప్పనిసరి వడపోత. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,అన్నింటినీ DocType: Purchase Taxes and Charges,On Item Quantity,అంశం పరిమాణంపై @@ -6896,6 +6905,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,చేరండి apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,కొరత ప్యాక్ చేసిన అంశాల DocType: Purchase Invoice,Input Service Distributor,ఇన్‌పుట్ సేవా పంపిణీదారు apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,అంశం వేరియంట్ {0} అదే లక్షణాలు తో ఉంది +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,దయచేసి విద్య> విద్యా సెట్టింగులలో బోధకుడు నామకరణ వ్యవస్థను సెటప్ చేయండి DocType: Loan,Repay from Salary,జీతం నుండి తిరిగి DocType: Exotel Settings,API Token,API టోకెన్ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},వ్యతిరేకంగా చెల్లింపు అభ్యర్థించడం {0} {1} మొత్తం {2} diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv index eb73bf7bd1..63793c991d 100644 --- a/erpnext/translations/th.csv +++ b/erpnext/translations/th.csv @@ -390,6 +390,7 @@ DocType: BOM Update Tool,New BOM,BOM ใหม่ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,ขั้นตอนที่กำหนดไว้ apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,แสดงเฉพาะ POS DocType: Supplier Group,Supplier Group Name,ชื่อกลุ่มผู้จัดจำหน่าย +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,ทำเครื่องหมายการเข้าร่วมประชุมเป็น DocType: Driver,Driving License Categories,ประเภทใบอนุญาตขับรถ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,โปรดป้อนวันที่จัดส่ง DocType: Depreciation Schedule,Make Depreciation Entry,บันทึกรายการค่าเสื่อมราคา @@ -1007,6 +1008,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,ลบรายการที่ บริษัท DocType: Production Plan Item,Quantity and Description,ปริมาณและคำอธิบาย apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,อ้างอิงและการอ้างอิงวันที่มีผลบังคับใช้สำหรับการทำธุรกรรมธนาคาร +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,โปรดตั้ง Naming Series สำหรับ {0} ผ่านการตั้งค่า> การตั้งค่า> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,เพิ่ม / แก้ไข ภาษีและค่าธรรมเนียม DocType: Payment Entry Reference,Supplier Invoice No,ใบแจ้งหนี้ที่ผู้ผลิตไม่มี DocType: Territory,For reference,สำหรับการอ้างอิง @@ -4278,6 +4280,8 @@ DocType: Homepage,Homepage,หน้าแรก DocType: Grant Application,Grant Application Details ,ให้รายละเอียดการสมัคร DocType: Employee Separation,Employee Separation,แยกพนักงาน DocType: BOM Item,Original Item,รายการต้นฉบับ +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","โปรดลบพนักงาน {0} \ เพื่อยกเลิกเอกสารนี้" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ค่าธรรมเนียมระเบียนที่สร้าง - {0} DocType: Asset Category Account,Asset Category Account,บัญชีสินทรัพย์ประเภท @@ -5316,6 +5320,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,ค่าใ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",การตั้งค่ากิจกรรมเพื่อ {0} เนื่องจากพนักงานที่แนบมาด้านล่างนี้พนักงานขายไม่ได้ User ID {1} DocType: Timesheet,Billing Details,รายละเอียดการเรียกเก็บเงิน apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,แหล่งที่มาและคลังสินค้าเป้าหมายต้องแตกต่าง +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,โปรดตั้งค่าระบบการตั้งชื่อพนักงานในทรัพยากรมนุษย์> การตั้งค่าทรัพยากรบุคคล apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,การชำระเงินล้มเหลว โปรดตรวจสอบบัญชี GoCardless ของคุณเพื่อดูรายละเอียดเพิ่มเติม apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},ไม่ได้รับอนุญาตในการปรับปรุงการทำธุรกรรมหุ้นเก่ากว่า {0} DocType: Stock Entry,Inspection Required,การตรวจสอบที่จำเป็น @@ -5551,6 +5556,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM ปัจจุบันและ ใหม่ BOM ไม่สามารถ จะเหมือนกัน apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,เงินเดือน ID สลิป apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,วันที่ ของ การเกษียณอายุ ต้องมากกว่า วันที่ เข้าร่วม +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ผู้ผลิต> ประเภทผู้จำหน่าย apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,หลายรูปแบบ DocType: Sales Invoice,Against Income Account,กับบัญชีรายได้ apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% ส่งแล้ว @@ -6392,6 +6398,7 @@ DocType: Program Enrollment,Institute's Bus,รถของสถาบัน DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,บทบาทที่ได้รับอนุญาตให้ตั้ง บัญชีแช่แข็ง และแก้ไขรายการแช่แข็ง DocType: Supplier Scorecard Scoring Variable,Path,เส้นทาง apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ไม่สามารถแปลง ศูนย์ต้นทุน ไปยัง บัญชีแยกประเภท ที่มี ต่อมน้ำเด็ก +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ไม่พบปัจจัยการแปลง UOM ({0} -> {1}) สำหรับรายการ: {2} DocType: Production Plan,Total Planned Qty,จำนวนตามแผนทั้งหมด apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ธุรกรรมได้รับมาจากคำสั่งนี้แล้ว apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ราคาเปิด @@ -6615,6 +6622,7 @@ DocType: Lab Test,Result Date,วันที่ผลลัพธ์ DocType: Purchase Order,To Receive,ที่จะได้รับ DocType: Leave Period,Holiday List for Optional Leave,รายการวันหยุดสำหรับการลาตัวเลือก DocType: Item Tax Template,Tax Rates,อัตราภาษี +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,รหัสรายการ> กลุ่มรายการ> แบรนด์ DocType: Asset,Asset Owner,เจ้าของสินทรัพย์ DocType: Item,Website Content,เนื้อหาเว็บไซต์ DocType: Bank Account,Integration ID,ID การรวม @@ -6741,6 +6749,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,ค่าใช้จ่ายเพิ่มเติม apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",ไม่สามารถกรอง ตาม คูปอง ไม่ ถ้า จัดกลุ่มตาม คูปอง DocType: Quality Inspection,Incoming,ขาเข้า +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,โปรดตั้งค่าหมายเลขลำดับสำหรับการเข้าร่วมผ่านการตั้งค่า> ลำดับเลข apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,เทมเพลตภาษีที่เป็นค่าเริ่มต้นสำหรับการขายและซื้อจะสร้างขึ้น apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,บันทึกผลลัพธ์การประเมิน {0} มีอยู่แล้ว DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",ตัวอย่าง: ABCD ##### ถ้ามีชุดชุดและเลขที่แบทช์ไม่ได้กล่าวถึงในธุรกรรมระบบจะสร้างเลขที่แบทช์อัตโนมัติตามชุดข้อมูลนี้ หากคุณต้องการระบุอย่างชัดแจ้งถึงแบทช์สำหรับรายการนี้ให้เว้นว่างไว้ หมายเหตุ: การตั้งค่านี้จะมีความสำคัญเหนือคำนำหน้าแบบตั้งชื่อในการตั้งค่าสต็อก @@ -7084,6 +7093,7 @@ DocType: Journal Entry,Write Off Entry,เขียนปิดเข้า DocType: BOM,Rate Of Materials Based On,อัตราวัสดุตาม DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",หากเปิดใช้งานระยะเวลาการศึกษาภาคสนามจะเป็นข้อบังคับในเครื่องมือการลงทะเบียนโปรแกรม apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",ค่าของวัสดุที่ได้รับการยกเว้นไม่ได้รับการจัดอันดับไม่มีและไม่มี GST +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> อาณาเขต apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,บริษัท เป็นตัวกรองที่จำเป็น apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,ยกเลิกการเลือกทั้งหมด DocType: Purchase Taxes and Charges,On Item Quantity,ในปริมาณรายการ @@ -7129,6 +7139,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,ร่วม apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,ปัญหาการขาดแคลนจำนวน DocType: Purchase Invoice,Input Service Distributor,จำหน่ายบริการป้อนข้อมูล apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,ตัวแปรรายการ {0} อยู่ที่มีลักษณะเดียวกัน +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,โปรดตั้งค่าระบบการตั้งชื่อผู้สอนในด้านการศึกษา> การตั้งค่าการศึกษา DocType: Loan,Repay from Salary,ชำระคืนจากเงินเดือน DocType: Exotel Settings,API Token,API Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},ร้องขอการชำระเงินจาก {0} {1} สำหรับจำนวนเงิน {2} diff --git a/erpnext/translations/tr.csv b/erpnext/translations/tr.csv index e1d94efcab..d8458bcedc 100644 --- a/erpnext/translations/tr.csv +++ b/erpnext/translations/tr.csv @@ -420,6 +420,7 @@ DocType: BOM Update Tool,New BOM,Yeni BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Öngörülen Prosedürler apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Sadece POS göster DocType: Supplier Group,Supplier Group Name,Tedarikçi Grubu Adı +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Katılımı olarak işaretle DocType: Driver,Driving License Categories,Sürücü Belgesi Kategorileri apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Lütfen Teslimat Tarihini Giriniz DocType: Depreciation Schedule,Make Depreciation Entry,Amortisman kaydı yap @@ -1086,6 +1087,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Şirket İşlemleri sil DocType: Production Plan Item,Quantity and Description,Miktar ve Açıklama apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referans No ve Referans Tarih Banka işlem için zorunludur +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Lütfen Kurulum> Ayarlar> Adlandırma Serisi aracılığıyla {0} için Adlandırma Serisini ayarlayın DocType: Purchase Receipt,Add / Edit Taxes and Charges,Ekle / Düzenle Vergi ve Harçlar DocType: Payment Entry Reference,Supplier Invoice No,Tedarikçi Fatura No DocType: Payment Entry Reference,Supplier Invoice No,Tedarikçi Fatura No @@ -4596,6 +4598,8 @@ DocType: Homepage,Homepage,Anasayfa DocType: Grant Application,Grant Application Details ,Hibe Başvurusu Ayrıntıları DocType: Employee Separation,Employee Separation,Çalışan Ayrılığı DocType: BOM Item,Original Item,Orijinal öğe +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Bu dokümanı iptal etmek için lütfen Çalışan {0} \ 'yı silin" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doküman Tarihi apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Ücret Kayıtları düzenlendi - {0} DocType: Asset Category Account,Asset Category Account,Varlık Tipi Hesabı @@ -5713,6 +5717,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Çeşitli faa apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Olaylar ayarlanması {0}, Satış Kişilerin altına bağlı çalışan bir kullanıcı kimliğine sahip olmadığından {1}" DocType: Timesheet,Billing Details,Fatura Detayları apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Kaynak ve hedef depo farklı olmalıdır +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Lütfen İnsan Kaynakları> İK Ayarları bölümünde Çalışan Adlandırma Sistemini kurun apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Ödeme başarısız. Daha fazla bilgi için lütfen GoCardless Hesabınızı kontrol edin apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} dan eski stok işlemlerini güncellemeye izin yok DocType: Stock Entry,Inspection Required,Muayene Gerekli @@ -5959,6 +5964,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Cu apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Cari BOM ve Yeni BOM aynı olamaz apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Maaş Kayma kimliği apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Emeklilik Tarihi katılım tarihinden büyük olmalıdır +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tedarikçi> Tedarikçi Türü apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Çoklu Varyantlar DocType: Sales Invoice,Against Income Account,Karşılık Gelir Hesabı apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Teslim Edildi @@ -6855,6 +6861,7 @@ DocType: Program Enrollment,Institute's Bus,Enstitü Otobüs DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rol Dondurulmuş Hesaplar ve Düzenleme Dondurulmuş Girişleri Set İzin DocType: Supplier Scorecard Scoring Variable,Path,yol apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Çocuk nodları olduğundan Maliyet Merkezi ana deftere dönüştürülemez +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},{2} öğesi için UOM Dönüşüm faktörü ({0} -> {1}) bulunamadı. DocType: Production Plan,Total Planned Qty,Toplam Planlanan Adet apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,İşlemler zaten ifadeden alındı apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,açılış Değeri @@ -7097,6 +7104,7 @@ DocType: Lab Test,Result Date,Sonuç Tarihi DocType: Purchase Order,To Receive,Almak DocType: Leave Period,Holiday List for Optional Leave,İsteğe Bağlı İzin İçin Tatil Listesi DocType: Item Tax Template,Tax Rates,Vergi oranları +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Ürün Kodu> Ürün Grubu> Marka DocType: Asset,Asset Owner,Varlık Sahibi DocType: Item,Website Content,Web sitesi içeriği DocType: Bank Account,Integration ID,Entegrasyon kimliği @@ -7239,6 +7247,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Ek maliyet apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Dekont, olarak gruplandırıldı ise Makbuz numarasına dayalı filtreleme yapamaz" DocType: Quality Inspection,Incoming,Alınan +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Lütfen Katılım> Numaralandırma Serisi aracılığıyla Katılım için numaralandırma serilerini ayarlayın apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Satışlar ve satın alımlar için varsayılan vergi şablonları oluşturulmuştur. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Değerlendirme Sonuç kaydı {0} zaten var. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Örnek: ABCD. #####. İşlemler için seri ayarlanmış ve Parti Numarası belirtilmediyse, bu seriye göre otomatik parti numarası oluşturulacaktır. Bu öğe için her zaman Batch No'dan açıkça bahsetmek isterseniz, bunu boş bırakın. Not: Bu ayar, Stok Ayarları'nda Adlandırma Serisi Önekine göre öncelikli olacaktır." @@ -7607,6 +7616,7 @@ DocType: Journal Entry,Write Off Entry,Şüpheli Alacak Girdisi DocType: BOM,Rate Of Materials Based On,Dayalı Ürün Br. Fiyatı DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Etkinleştirilmişse, Program Kayıt Aracı'nda alan Akademik Şartı Zorunlu olacaktır." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Muaf, sıfır değer ve GST dışı iç arz değerleri" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Müşteri> Müşteri Grubu> Bölge apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Şirket zorunlu bir filtredir. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Tümünü işaretleme DocType: Purchase Taxes and Charges,On Item Quantity,Öğe Miktarı @@ -7655,6 +7665,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Birleştir apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Yetersizlik adeti DocType: Purchase Invoice,Input Service Distributor,Giriş Servis Dağıtıcısı apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Ürün çeşidi {0} aynı özelliklere sahip bulunmaktadır +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Lütfen Eğitim> Eğitim Ayarları bölümünde Eğitmen Adlandırma Sistemini kurun DocType: Loan,Repay from Salary,Maaş dan ödemek DocType: Exotel Settings,API Token,API Simgesi apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},"karşı ödeme talep {0}, {1} miktarda {2}" diff --git a/erpnext/translations/uk.csv b/erpnext/translations/uk.csv index d914e8a7f3..9616c8a233 100644 --- a/erpnext/translations/uk.csv +++ b/erpnext/translations/uk.csv @@ -390,6 +390,7 @@ DocType: BOM Update Tool,New BOM,Новий документ Норми витр apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Прописані процедури apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Показати тільки POS DocType: Supplier Group,Supplier Group Name,Назва групи постачальників +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Позначити відвідуваність як DocType: Driver,Driving License Categories,Категорії авторизації apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Будь ласка, введіть дату доставки" DocType: Depreciation Schedule,Make Depreciation Entry,Створити операцію амортизації @@ -1007,6 +1008,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Видалити операції компанії DocType: Production Plan Item,Quantity and Description,Кількість та опис apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Посилання № та дата Reference є обов'язковим для операції банку +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Будь ласка, встановіть назву серії на {0} за допомогою пункту Налаштування> Налаштування> Іменування серії" DocType: Purchase Receipt,Add / Edit Taxes and Charges,Додати / редагувати податки та збори DocType: Payment Entry Reference,Supplier Invoice No,Номер рахунку постачальника DocType: Territory,For reference,Для довідки @@ -4236,6 +4238,8 @@ DocType: Homepage,Homepage,Домашня сторінка DocType: Grant Application,Grant Application Details ,Детальні відомості про грант DocType: Employee Separation,Employee Separation,Розподіл працівників DocType: BOM Item,Original Item,Оригінальний предмет +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Видаліть працівника {0} \, щоб скасувати цей документ" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Дата документа apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Плата записи Створено - {0} DocType: Asset Category Account,Asset Category Account,Категорія активів Рахунок @@ -5261,6 +5265,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Вартіс apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Призначення подій до {0}, оскільки працівник приєднаний до нижчевказаного Відповідального з продажуі не має ідентифікатора користувача {1}" DocType: Timesheet,Billing Details,платіжна інформація apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Вихідний і цільової склад повинні бути різними +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Будь ласка, налаштуйте Систему іменування співробітників у Людських ресурсах> Налаштування HR" apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Оплата не вдалося. Будь ласка, перевірте свій GoCardless рахунок для отримання додаткової інформації" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Не допускається оновлення складських операцій старше {0} DocType: Stock Entry,Inspection Required,Вимагається інспекція @@ -5496,6 +5501,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Нові норми не можуть бути такими ж як поточні apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ID Зарплатного розрахунку apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,"Дата виходу на пенсію повинен бути більше, ніж дата влаштування" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Постачальник> Тип постачальника apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Кілька варіантів DocType: Sales Invoice,Against Income Account,На рахунок доходів apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Доставлено @@ -6338,6 +6344,7 @@ DocType: Program Enrollment,Institute's Bus,Автобус інституту DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,"Роль, з якою можна встановлювати заблоковані рахунки та змінювати заблоковані проводки" DocType: Supplier Scorecard Scoring Variable,Path,Шлях apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Неможливо перетворити центр витрат у книгу, оскільки він має дочірні вузли" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Коефіцієнт конверсії UOM ({0} -> {1}) не знайдено для елемента: {2} DocType: Production Plan,Total Planned Qty,Загальна кількість запланованих apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,"Операції, вже вилучені з виписки" apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Сума на початок роботи @@ -6561,6 +6568,7 @@ DocType: Lab Test,Result Date,Дата результату DocType: Purchase Order,To Receive,Отримати DocType: Leave Period,Holiday List for Optional Leave,Святковий список для необов'язкового відпустки DocType: Item Tax Template,Tax Rates,Податкові ставки +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товару> Група предметів> Бренд DocType: Asset,Asset Owner,Власник майна DocType: Item,Website Content,Вміст веб-сайту DocType: Bank Account,Integration ID,Інтеграційний ідентифікатор @@ -6687,6 +6695,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Додаткова вартість apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",Неможливо фільтрувати по номеру документу якщо згруповано по документах DocType: Quality Inspection,Incoming,Вхідний +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Установіть серію нумерації для відвідування за допомогою параметра Налаштування> Серія нумерації apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Шаблони податку за замовчуванням для продажу та покупки створені. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Запис про результати оцінки {0} вже існує. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Приклад: ABCD. #####. Якщо серія встановлена і пакетний номер не згадується в транзакції, автоматичний номер партії буде створено на основі цієї серії. Якщо ви завжди хочете чітко вказати Batch No для цього елемента, залиште це порожнім. Примітка: цей параметр буде мати пріоритет над префіксом серії імен у розділі Налаштування запасу." @@ -7030,6 +7039,7 @@ DocType: Journal Entry,Write Off Entry,Списання запис DocType: BOM,Rate Of Materials Based On,Вартість матеріалів базується на DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Якщо включено, поле Academic Term буде обов'язковим в інструменті реєстрації програм." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Значення пільгових товарів, нульових значень та внутрішніх запасів без GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клієнт> Група клієнтів> Територія apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Компанія - обов'язковий фільтр. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Скасувати всі DocType: Purchase Taxes and Charges,On Item Quantity,По кількості товару @@ -7075,6 +7085,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,приєднати apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Брак к-сті DocType: Purchase Invoice,Input Service Distributor,Дистриб'ютор послуг введення даних apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Вже існує варіант позиції {0} з такими атрибутами +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Будь ласка, налаштуйте систему іменування інструкторів у програмі Освіта> Налаштування освіти" DocType: Loan,Repay from Salary,Погашати із заробітної плати DocType: Exotel Settings,API Token,API Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Запит платіж проти {0} {1} на суму {2} diff --git a/erpnext/translations/ur.csv b/erpnext/translations/ur.csv index 61b9410d04..b115fb4eb9 100644 --- a/erpnext/translations/ur.csv +++ b/erpnext/translations/ur.csv @@ -382,6 +382,7 @@ DocType: BOM Update Tool,New BOM,نیا BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,مقرر کردہ طریقہ کار apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,صرف POS دکھائیں DocType: Supplier Group,Supplier Group Name,سپلائر گروپ کا نام +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,بطور حاضری نشان زد کریں DocType: Driver,Driving License Categories,ڈرائیونگ لائسنس زمرہ جات apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,ڈلیوری کی تاریخ درج کریں DocType: Depreciation Schedule,Make Depreciation Entry,ہراس اندراج @@ -4139,6 +4140,8 @@ DocType: Homepage,Homepage,مرکزی صفحہ DocType: Grant Application,Grant Application Details ,گرانٹ درخواست کی تفصیلات DocType: Employee Separation,Employee Separation,ملازم علیحدگی DocType: BOM Item,Original Item,اصل آئٹم +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","براہ کرم اس دستاویز کو منسوخ کرنے کے لئے ملازم {0} delete کو حذف کریں" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ڈاکٹر کی تاریخ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},فیس ریکارڈز کی تشکیل - {0} DocType: Asset Category Account,Asset Category Account,ایسیٹ زمرہ اکاؤنٹ @@ -5143,6 +5146,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,مختلف س apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",کرنے کے واقعات کی ترتیب {0}، سیلز افراد کو ذیل میں کے ساتھ منسلک ملازم ایک صارف کی شناخت کی ضرورت نہیں ہے کے بعد سے {1} DocType: Timesheet,Billing Details,بلنگ کی تفصیلات apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ذریعہ اور ہدف گودام مختلف ہونا لازمی ہے +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,برائے کرم انسانی وسائل> HR کی ترتیبات میں ملازمین کے نام دینے کا نظام مرتب کریں apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ادائیگی ناکام ہوگئی. مزید تفصیلات کے لئے براہ کرم اپنے گوشورڈ اکاؤنٹ چیک کریں apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},نہیں کے مقابلے میں بڑی عمر کے اسٹاک لین دین کو اپ ڈیٹ کرنے کی اجازت دی {0} DocType: Stock Entry,Inspection Required,معائنہ مطلوب @@ -5371,6 +5375,7 @@ DocType: Bank Account,IBAN,آئی بیان apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,موجودہ BOM اور نئی BOM ہی نہیں ہو سکتا apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,تنخواہ کی پرچی ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,ریٹائرمنٹ کے تاریخ شمولیت کی تاریخ سے زیادہ ہونا چاہیے +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,سپلائر> سپلائر کی قسم apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,ایک سے زیادہ متغیرات DocType: Sales Invoice,Against Income Account,انکم اکاؤنٹ کے خلاف apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}٪ پھنچ گیا @@ -6195,6 +6200,7 @@ DocType: Program Enrollment,Institute's Bus,انسٹی ٹیوٹ بس DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,کردار منجمد اکاؤنٹس اور ترمیم منجمد اندراجات مقرر کرنے کی اجازت DocType: Supplier Scorecard Scoring Variable,Path,راستہ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,یہ بچے نوڈ ہے کے طور پر لیجر لاگت مرکز میں تبدیل نہیں کرسکتا +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM کے تبادلوں کا عنصر ({0} -> {1}) آئٹم کے لئے نہیں ملا: {2} DocType: Production Plan,Total Planned Qty,کل منصوبہ بندی کی مقدار apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,لین دین پہلے ہی بیان سے پیچھے ہٹ گیا ہے۔ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,افتتاحی ویلیو @@ -6414,6 +6420,7 @@ DocType: Lab Test,Result Date,نتائج کی تاریخ DocType: Purchase Order,To Receive,وصول کرنے کے لئے DocType: Leave Period,Holiday List for Optional Leave,اختیاری اجازت کے لئے چھٹیوں کی فہرست DocType: Item Tax Template,Tax Rates,ٹیکس کی شرح +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,آئٹم کوڈ> آئٹم گروپ> برانڈ DocType: Asset,Asset Owner,اثاثہ مالک DocType: Item,Website Content,ویب سائٹ کا مواد۔ DocType: Bank Account,Integration ID,انضمام ID @@ -6536,6 +6543,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,اضافی لاگت apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",واؤچر نمبر کی بنیاد پر فلٹر کر سکتے ہیں، واؤچر کی طرف سے گروپ ہے DocType: Quality Inspection,Incoming,موصولہ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,براہ کرم حاضری کے لئے نمبر بندی سیریز سیٹ اپ> نمبرنگ سیریز کے ذریعے ترتیب دیں apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,سیلز اور خریداری کے لئے پہلے سے طے شدہ ٹیکس ٹیمپلیٹس بنائے جاتے ہیں. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,تشخیص کا نتیجہ ریکارڈ {0} پہلے ہی موجود ہے. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",مثال: ABCD. #####. اگر سلسلہ سیٹ کیا جاتا ہے اور بیچ ٹرانزیکشنز میں ذکر نہیں کیا جاتا ہے، تو اس سلسلے کی بنیاد پر خود کار طریقے سے بیچ نمبر پیدا کی جائے گی. اگر آپ ہمیشہ اس آئٹم کے لئے بیچ نمبر کا ذکر کرنا چاہتے ہیں، تو اسے خالی چھوڑ دیں. نوٹ: یہ ترتیب اسٹاک کی ترتیبات میں نامنگ سیریز کے سابقہ پریفکس پر ترجیح لے گی. @@ -6872,6 +6880,7 @@ DocType: Journal Entry,Write Off Entry,انٹری لکھنے DocType: BOM,Rate Of Materials Based On,شرح معدنیات کی بنیاد پر DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",اگر فعال ہو تو، فیلڈ تعلیمی ٹرم پروگرام کے اندراج کے آلے میں لازمی ہوگا. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",مستثنیٰ ، نیل ریٹیڈ اور غیر جی ایس ٹی اندر کی فراہمی کی قدر۔ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,کسٹمر> کسٹمر گروپ> علاقہ apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,کمپنی لازمی فلٹر ہے۔ apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,تمام کو غیر منتخب DocType: Purchase Taxes and Charges,On Item Quantity,آئٹم کی مقدار پر۔ @@ -6917,6 +6926,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,شامل ہوں apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,کمی کی مقدار DocType: Purchase Invoice,Input Service Distributor,ان پٹ سروس ڈسٹریبیوٹر۔ apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,آئٹم ویرینٹ {0} اسی صفات کے ساتھ موجود +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,براہ کرم تعلیم> تعلیم کی ترتیبات میں انسٹرکٹر نام دینے کا نظام مرتب کریں DocType: Loan,Repay from Salary,تنخواہ سے ادا DocType: Exotel Settings,API Token,API ٹوکن۔ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},{2} {1} کے خلاف ادائیگی {2} diff --git a/erpnext/translations/uz.csv b/erpnext/translations/uz.csv index 2e0bef6b19..e7fdd013db 100644 --- a/erpnext/translations/uz.csv +++ b/erpnext/translations/uz.csv @@ -389,6 +389,7 @@ DocType: BOM Update Tool,New BOM,Yangi BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Belgilangan protseduralar apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Faqat qalinni ko'rsatish DocType: Supplier Group,Supplier Group Name,Yetkazib beruvchining guruh nomi +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Davomi sifatida belgilang DocType: Driver,Driving License Categories,Haydovchilik guvohnomasi kategoriyalari apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Iltimos, etkazib berish sanasi kiriting" DocType: Depreciation Schedule,Make Depreciation Entry,Amortizatsiyani kiritish @@ -998,6 +999,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Kompaniya jarayonini o'chirish DocType: Production Plan Item,Quantity and Description,Miqdori va tavsifi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Bank bo'yicha bitim uchun Yo'naltiruvchi Yo'naltiruvchi va Yo'nalish sanasi majburiy hisoblanadi +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Iltimos, sozlash> Sozlamalar> Nomlash seriyalari orqali {0} uchun nomlash seriyasini o'rnating" DocType: Purchase Receipt,Add / Edit Taxes and Charges,Soliqlarni va to'lovlarni qo'shish / tahrirlash DocType: Payment Entry Reference,Supplier Invoice No,Yetkazib beruvchi hisob raqami № DocType: Territory,For reference,Malumot uchun @@ -4192,6 +4194,8 @@ DocType: Homepage,Homepage,Bosh sahifa DocType: Grant Application,Grant Application Details ,Dastur haqida batafsil ma'lumot DocType: Employee Separation,Employee Separation,Xodimlarni ajratish DocType: BOM Item,Original Item,Asl modda +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ushbu hujjatni bekor qilish uchun {0} \ xodimini o'chiring" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc tarixi apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Yaratilgan yozuvlar - {0} DocType: Asset Category Account,Asset Category Account,Aktiv turkumidagi hisob @@ -5207,6 +5211,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Turli faoliya apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Tadbirlarni {0} ga sozlash, chunki quyida ko'rsatilgan Sotish Sotuviga qo'yilgan xodimlar uchun foydalanuvchi identifikatori yo'q {1}" DocType: Timesheet,Billing Details,To'lov ma'lumoti apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Resurslar va maqsadli omborlar boshqacha bo'lishi kerak +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Iltimos, xodimlarni nomlash tizimini inson resurslari> Kadrlar sozlamalarida o'rnating" apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"To'lov amalga oshmadi. Iltimos, batafsil ma'lumot uchun GoCardsiz hisobingizni tekshiring" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} dan katta aktsiyalarini yangilash uchun ruxsat berilmadi DocType: Stock Entry,Inspection Required,Tekshirish kerak @@ -5440,6 +5445,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Joriy BOM va yangi BOM bir xil bo'lishi mumkin emas apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Ish haqi miqdori apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Pensiya tarixi sanasi qo'shilish sanasidan katta bo'lishi kerak +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Ta'minotchi> Ta'minotchi turi apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Bir nechta varianti DocType: Sales Invoice,Against Income Account,Daromad hisobiga qarshi apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% taslim etildi @@ -6268,6 +6274,7 @@ DocType: Program Enrollment,Institute's Bus,Institut avtobusi DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Muzlatilgan hisoblarni sozlash va muzlatilgan yozuvlarni tahrir qilish uchun roli mumkin DocType: Supplier Scorecard Scoring Variable,Path,Yo'l apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Xarajatli markazni kitob nusxa ko'chirish qurilmasiga aylantira olmaysiz, chunki u tugmachalarga ega" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konversiya koeffitsienti ({0} -> {1}) quyidagi element uchun topilmadi: {2} DocType: Production Plan,Total Planned Qty,Jami rejalashtirilgan miqdori apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Bitimlar allaqachon bayonotdan uzoqlashgan apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Ochilish qiymati @@ -6490,6 +6497,7 @@ DocType: Lab Test,Result Date,Natija sanasi DocType: Purchase Order,To Receive,Qabul qilmoq DocType: Leave Period,Holiday List for Optional Leave,Majburiy bo'lmagan yo'l uchun dam olish ro'yxati DocType: Item Tax Template,Tax Rates,Soliq stavkalari +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Element kodi> Tovar guruhi> Tovar DocType: Asset,Asset Owner,Shaxs egasi DocType: Item,Website Content,Veb-sayt tarkibi DocType: Bank Account,Integration ID,Integratsiya identifikatori @@ -6615,6 +6623,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Qo'shimcha xarajatlar apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Voucher tomonidan guruhlangan bo'lsa, Voucher No ga asoslangan holda filtrlay olmaydi" DocType: Quality Inspection,Incoming,Kiruvchi +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Iltimos Setup> Raqamlash seriyalari orqali qatnashish uchun raqamlash seriyasini sozlang apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Savdo va xarid uchun odatiy soliq namunalari yaratilgan. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Baholash natijasi {0} allaqachon mavjud. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Misol: ABCD. #####. Jarayonlarda seriya o'rnatilgan bo'lsa va Batch No ko'rsatilgan bo'lsa, bu ketma-ketlik asosida avtomatik partiya raqami yaratiladi. Agar siz doimo bu element uchun "Partiya No" ni aniq ko'rsatishni istasangiz, bo'sh qoldiring. Eslatma: Ushbu sozlama Stok Sozlamalarida Nominal Seriya Prefiksidan ustunlik qiladi." @@ -6956,6 +6965,7 @@ DocType: Journal Entry,Write Off Entry,Yozuvni yozing DocType: BOM,Rate Of Materials Based On,Materiallar asoslari DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Agar yoqilsa, dasturni ro'yxatga olish vositasida Akademiyasi muddat majburiy bo'ladi." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Ishlab chiqarilmaydigan, nolga teng va GST bo'lmagan ichki ta'minot qiymatlari" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Xaridor> Mijozlar guruhi> Hudud apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Kompaniya majburiy filtrdir. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Barchasini olib tashlang DocType: Purchase Taxes and Charges,On Item Quantity,Miqdori miqdori bo'yicha @@ -7000,6 +7010,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Ishtirok etish apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Miqdori miqdori DocType: Purchase Invoice,Input Service Distributor,Kirish xizmati tarqatuvchisi apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,{0} mahsulot varianti bir xil xususiyatlarga ega +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Iltimos, Ta'lim beruvchiga nom berish tizimini Ta'lim sozlamalarida o'rnating" DocType: Loan,Repay from Salary,Ish haqidan to'lash DocType: Exotel Settings,API Token,API token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},{0} {1} dan {2} diff --git a/erpnext/translations/vi.csv b/erpnext/translations/vi.csv index dbfcc91f93..5d6a7653c2 100644 --- a/erpnext/translations/vi.csv +++ b/erpnext/translations/vi.csv @@ -390,6 +390,7 @@ DocType: BOM Update Tool,New BOM,Mới BOM apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Thủ tục quy định apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Chỉ hiển thị POS DocType: Supplier Group,Supplier Group Name,Tên nhóm nhà cung cấp +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,Đánh dấu tham dự như DocType: Driver,Driving License Categories,Lái xe hạng mục apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Vui lòng nhập ngày giao hàng DocType: Depreciation Schedule,Make Depreciation Entry,Tạo bút toán khấu hao @@ -1006,6 +1007,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,Xóa Giao dịch Công ty DocType: Production Plan Item,Quantity and Description,Số lượng và mô tả apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Số tham khảo và Kỳ hạn tham khảo là bắt buộc đối với giao dịch ngân hàng +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vui lòng đặt Sê-ri đặt tên cho {0} qua Cài đặt> Cài đặt> Sê-ri đặt tên DocType: Purchase Receipt,Add / Edit Taxes and Charges,Thêm / Sửa Thuế và phí DocType: Payment Entry Reference,Supplier Invoice No,Nhà cung cấp hóa đơn Không DocType: Territory,For reference,Để tham khảo @@ -4241,6 +4243,8 @@ DocType: Homepage,Homepage,Trang chủ DocType: Grant Application,Grant Application Details ,Chi tiết Đơn xin Cấp phép DocType: Employee Separation,Employee Separation,Tách nhân viên DocType: BOM Item,Original Item,Mục gốc +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Vui lòng xóa Nhân viên {0} \ để hủy tài liệu này" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Ngày tài liệu apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Hồ sơ Phí Tạo - {0} DocType: Asset Category Account,Asset Category Account,Loại tài khoản tài sản @@ -5279,6 +5283,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,Chi phí ho apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Thiết kiện để {0}, vì các nhân viên thuộc dưới Sales Người không có một ID người dùng {1}" DocType: Timesheet,Billing Details,Chi tiết Thanh toán apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Nguồn và kho đích phải khác nhau +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vui lòng thiết lập Hệ thống đặt tên nhân viên trong Nhân sự> Cài đặt nhân sự apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Thanh toán không thành công. Vui lòng kiểm tra Tài khoản GoCard của bạn để biết thêm chi tiết apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Không được cập nhật giao dịch tồn kho cũ hơn {0} DocType: Stock Entry,Inspection Required,Kiểm tra yêu cầu @@ -5514,6 +5519,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM BOM hiện tại và mới không thể giống nhau apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ID Phiếu lương apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Ngày nghỉ hưu phải lớn hơn ngày gia nhập +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Nhà cung cấp> Loại nhà cung cấp apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Nhiều biến thể DocType: Sales Invoice,Against Income Account,Đối với tài khoản thu nhập apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Đã giao hàng @@ -6355,6 +6361,7 @@ DocType: Program Enrollment,Institute's Bus,Xe của Viện DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Vai trò được phép thiết lập các tài khoản đóng băng & chỉnh sửa các bút toán vô hiệu hóa DocType: Supplier Scorecard Scoring Variable,Path,Con đường apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Không thể chuyển đổi Chi phí bộ phận sổ cái vì nó có các nút con +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Không tìm thấy yếu tố chuyển đổi UOM ({0} -> {1}) cho mục: {2} DocType: Production Plan,Total Planned Qty,Tổng số lượng dự kiến apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Giao dịch đã được truy xuất từ tuyên bố apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Giá trị mở @@ -6578,6 +6585,7 @@ DocType: Lab Test,Result Date,Ngày kết quả DocType: Purchase Order,To Receive,Nhận DocType: Leave Period,Holiday List for Optional Leave,Danh sách kỳ nghỉ cho nghỉ phép tùy chọn DocType: Item Tax Template,Tax Rates,Thuế suất +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Mã hàng> Nhóm vật phẩm> Thương hiệu DocType: Asset,Asset Owner,Chủ tài sản DocType: Item,Website Content,Nội dung trang web DocType: Bank Account,Integration ID,ID tích hợp @@ -6704,6 +6712,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,Chi phí bổ sung apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Không thể lọc dựa trên số hiệu Voucher, nếu nhóm theo Voucher" DocType: Quality Inspection,Incoming,Đến +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vui lòng thiết lập chuỗi đánh số cho Tham dự thông qua Cài đặt> Sê-ri đánh số apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Mẫu thuế mặc định cho bán hàng và mua hàng được tạo. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Bản ghi kết quả đánh giá {0} đã tồn tại. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Ví dụ: ABCD. #####. Nếu chuỗi được đặt và Số lô không được đề cập trong giao dịch, thì số lô tự động sẽ được tạo dựa trên chuỗi này. Nếu bạn luôn muốn đề cập rõ ràng Lô hàng cho mục này, hãy để trống trường này. Lưu ý: cài đặt này sẽ được ưu tiên hơn Tiền tố Series đặt tên trong Cài đặt chứng khoán." @@ -7047,6 +7056,7 @@ DocType: Journal Entry,Write Off Entry,Viết Tắt bút toán DocType: BOM,Rate Of Materials Based On,Tỷ giá vật liệu dựa trên DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Nếu được bật, thuật ngữ Học thuật của trường sẽ được bắt buộc trong Công cụ đăng ký chương trình." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Giá trị của các nguồn cung cấp miễn trừ, không được xếp hạng và không phải GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Khách hàng> Nhóm khách hàng> Lãnh thổ apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,Công ty là một bộ lọc bắt buộc. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Bỏ chọn tất cả DocType: Purchase Taxes and Charges,On Item Quantity,Về số lượng vật phẩm @@ -7092,6 +7102,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,Tham gia apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Lượng thiếu hụt DocType: Purchase Invoice,Input Service Distributor,Nhà phân phối dịch vụ đầu vào apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Biến thể mẫu hàng {0} tồn tại với cùng một thuộc tính +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vui lòng thiết lập Hệ thống đặt tên giảng viên trong giáo dục> Cài đặt giáo dục DocType: Loan,Repay from Salary,Trả nợ từ lương DocType: Exotel Settings,API Token,Mã thông báo API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Yêu cầu thanh toán đối với {0} {1} cho số tiền {2} diff --git a/erpnext/translations/zh.csv b/erpnext/translations/zh.csv index 811f2911a7..a5624629ac 100644 --- a/erpnext/translations/zh.csv +++ b/erpnext/translations/zh.csv @@ -390,6 +390,7 @@ DocType: BOM Update Tool,New BOM,新建物料清单 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,规定程序 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,只显示POS DocType: Supplier Group,Supplier Group Name,供应商群组名称 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,将出席人数标记为 DocType: Driver,Driving License Categories,驾驶执照类别 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,请输入交货日期 DocType: Depreciation Schedule,Make Depreciation Entry,创建计算折旧凭证 @@ -1007,6 +1008,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,删除正式上线前的测试数据 DocType: Production Plan Item,Quantity and Description,数量和描述 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,银行交易中参考编号和参考日期必填 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,请通过设置>设置>命名系列为{0}设置命名系列 DocType: Purchase Receipt,Add / Edit Taxes and Charges,添加/编辑税金及费用 DocType: Payment Entry Reference,Supplier Invoice No,供应商费用清单编号 DocType: Territory,For reference,供参考 @@ -4255,6 +4257,8 @@ DocType: Homepage,Homepage,主页 DocType: Grant Application,Grant Application Details ,授予申请细节 DocType: Employee Separation,Employee Separation,员工离职 DocType: BOM Item,Original Item,原物料 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","请删除员工{0} \以取消此文档" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},费纪录已建立 - {0} DocType: Asset Category Account,Asset Category Account,资产类别的科目 @@ -5279,6 +5283,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,各种活动 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",设置活动为{0},因为附连到下面的销售者的员工不具有用户ID {1} DocType: Timesheet,Billing Details,开票(帐单)信息 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,源和目标仓库必须是不同的 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,请在人力资源>人力资源设置中设置员工命名系统 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,支付失败。请检查您的GoCardless科目以了解更多信息 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},不允许对早于{0}的库存交易进行更新 DocType: Stock Entry,Inspection Required,需要检验 @@ -5514,6 +5519,7 @@ DocType: Bank Account,IBAN,IBAN apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,当前BOM和新BOM不能相同 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,工资单编号 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,退休日期必须大于入职日期 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供应商>供应商类型 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,多种变体 DocType: Sales Invoice,Against Income Account,针对的收益账目 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}%交付 @@ -6355,6 +6361,7 @@ DocType: Program Enrollment,Institute's Bus,学院的巴士 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,允许设置冻结科目和编辑冻结凭证的角色 DocType: Supplier Scorecard Scoring Variable,Path,路径 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,不能将成本中心转换为分类账,因为它有子项。 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},找不到项目{2}的UOM转换因子({0}-> {1}) DocType: Production Plan,Total Planned Qty,总计划数量 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,已从报表中检索到的交易 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,期初金额 @@ -6578,6 +6585,7 @@ DocType: Lab Test,Result Date,结果日期 DocType: Purchase Order,To Receive,等收货 DocType: Leave Period,Holiday List for Optional Leave,可选假期的假期列表 DocType: Item Tax Template,Tax Rates,税率 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,物料代码>物料组>品牌 DocType: Asset,Asset Owner,资产所有者 DocType: Item,Website Content,网站内容 DocType: Bank Account,Integration ID,集成ID @@ -6704,6 +6712,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,额外费用 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",按凭证分类后不能根据凭证编号过滤 DocType: Quality Inspection,Incoming,来料检验 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,请通过“设置”>“编号序列”为出勤设置编号序列 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,销售和采购的默认税收模板被创建。 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,评估结果记录{0}已经存在。 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",例如:ABCD。#####。如果系列已设置且交易中未输入批号,则将根据此系列创建自动批号。如果您始终想要明确提及此料品的批号,请将此留为空白。注意:此设置将优先于库存设置中的名录前缀。 @@ -7047,6 +7056,7 @@ DocType: Journal Entry,Write Off Entry,销帐分录 DocType: BOM,Rate Of Materials Based On,基于以下的物料单价 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",如果启用,则在学期注册工具中,字段学术期限将是强制性的。 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",豁免,零税率和非商品及服务税内向供应的价值 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客户>客户组>地区 apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,公司是强制性过滤器。 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,取消全选 DocType: Purchase Taxes and Charges,On Item Quantity,关于物品数量 @@ -7092,6 +7102,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py,Join,加入 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,短缺数量 DocType: Purchase Invoice,Input Service Distributor,输入服务分销商 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,相同属性物料变体{0}已存在 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,请在“教育”>“教育设置”中设置教师命名系统 DocType: Loan,Repay from Salary,从工资偿还 DocType: Exotel Settings,API Token,API令牌 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},请求对付款{0} {1}量{2} diff --git a/erpnext/translations/zh_tw.csv b/erpnext/translations/zh_tw.csv index 326cce47ba..958977acfb 100644 --- a/erpnext/translations/zh_tw.csv +++ b/erpnext/translations/zh_tw.csv @@ -347,6 +347,7 @@ DocType: BOM Update Tool,New BOM,新的物料清單 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,規定程序 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,只顯示POS DocType: Supplier Group,Supplier Group Name,供應商集團名稱 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as ,將出席人數標記為 DocType: Driver,Driving License Categories,駕駛執照類別 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,請輸入交貨日期 DocType: Depreciation Schedule,Make Depreciation Entry,計提折舊進入 @@ -918,6 +919,7 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment ca DocType: Company,Delete Company Transactions,刪除公司事務 DocType: Production Plan Item,Quantity and Description,數量和描述 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,參考編號和參考日期是強制性的銀行交易 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,請通過設置>設置>命名系列為{0}設置命名系列 DocType: Purchase Receipt,Add / Edit Taxes and Charges,新增 / 編輯稅金及費用 DocType: Payment Entry Reference,Supplier Invoice No,供應商發票號碼 DocType: Territory,For reference,供參考 @@ -3897,6 +3899,8 @@ DocType: Homepage,Homepage,主頁 DocType: Grant Application,Grant Application Details ,授予申請細節 DocType: Employee Separation,Employee Separation,員工分離 DocType: BOM Item,Original Item,原始項目 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","請刪除員工{0} \以取消此文檔" apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},費紀錄創造 - {0} DocType: Asset Category Account,Asset Category Account,資產類別的帳戶 apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,值{0}已分配給現有項{2}。 @@ -4861,6 +4865,7 @@ apps/erpnext/erpnext/config/projects.py,Cost of various activities,各種活動 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",設置活動為{0},因為附連到下面的銷售者的僱員不具有用戶ID {1} DocType: Timesheet,Billing Details,結算明細 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,源和目標倉庫必須是不同的 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,請在人力資源>人力資源設置中設置員工命名系統 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,支付失敗。請檢查您的GoCardless帳戶以了解更多詳情 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},不允許更新比{0}舊的庫存交易 DocType: Stock Entry,Inspection Required,需要檢驗 @@ -5075,6 +5080,7 @@ DocType: Expense Claim,Expense Taxes and Charges,費用稅和費用 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,當前BOM和新BOM不能相同 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,工資單編號 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,日期退休必須大於加入的日期 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供應商>供應商類型 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,多種變體 DocType: Sales Invoice,Against Income Account,對收入帳戶 DocType: Subscription,Trial Period Start Date,試用期開始日期 @@ -5850,6 +5856,7 @@ DocType: Program Enrollment,Institute's Bus,學院的巴士 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,允許設定凍結帳戶和編輯凍結分錄的角色 DocType: Supplier Scorecard Scoring Variable,Path,路徑 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,不能成本中心轉換為總賬,因為它有子節點 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},找不到項目{2}的UOM轉換因子({0}-> {1}) DocType: Production Plan,Total Planned Qty,總計劃數量 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,已從報表中檢索到的交易 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,開度值 @@ -6057,6 +6064,7 @@ DocType: Lab Test,Result Date,結果日期 DocType: Purchase Order,To Receive,接受 DocType: Leave Period,Holiday List for Optional Leave,可選假期的假期列表 DocType: Item Tax Template,Tax Rates,稅率 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,物料代碼>物料組>品牌 DocType: Asset,Asset Owner,資產所有者 DocType: Item,Website Content,網站內容 DocType: Purchase Invoice,Reason For Putting On Hold,擱置的理由 @@ -6173,6 +6181,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Stock Entry Detail,Additional Cost,額外費用 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",是冷凍的帳戶。要禁止該帳戶創建/編輯事務,你需要角色 DocType: Quality Inspection,Incoming,來 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,請通過“設置”>“編號序列”為出勤設置編號序列 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,銷售和採購的默認稅收模板被創建。 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,評估結果記錄{0}已經存在。 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",例如:ABCD。#####。如果系列已設置且交易中未提及批號,則將根據此系列創建自動批號。如果您始終想要明確提及此料品的批號,請將此留為空白。注意:此設置將優先於庫存設置中的命名系列前綴。 @@ -6487,6 +6496,7 @@ DocType: Journal Entry,Write Off Entry,核銷進入 DocType: BOM,Rate Of Materials Based On,材料成本基於 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",如果啟用,則在學期註冊工具中,字段學術期限將是強制性的。 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",豁免,零稅率和非商品及服務稅內向供應的價值 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客戶>客戶組>地區 apps/erpnext/erpnext/regional/report/datev/datev.py,Company is a mandatory filter.,公司是強制性過濾器。 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,取消所有 DocType: Purchase Taxes and Charges,On Item Quantity,關於物品數量 @@ -6529,6 +6539,7 @@ DocType: Production Plan,Include Subcontracted Items,包括轉包物料 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,短缺數量 DocType: Purchase Invoice,Input Service Distributor,輸入服務分銷商 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,項目變種{0}存在具有相同屬性 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,請在“教育”>“教育設置”中設置教師命名系統 DocType: Loan,Repay from Salary,從工資償還 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},請求對付款{0} {1}量{2} DocType: Additional Salary,Salary Slip,工資單 From 5e6ce88c789436b94f1d0a1b77c156472bb7fcd6 Mon Sep 17 00:00:00 2001 From: Saqib Date: Mon, 3 Feb 2020 15:40:35 +0530 Subject: [PATCH 25/46] fix: gst permission for gst settings & hsn code (#20500) * fix: gst permission for gst settings & hsn code * Fix: typo Co-authored-by: Deepesh Garg <42651287+deepeshgarg007@users.noreply.github.com> --- erpnext/regional/india/setup.py | 9 +++++---- 1 file changed, 5 insertions(+), 4 deletions(-) diff --git a/erpnext/regional/india/setup.py b/erpnext/regional/india/setup.py index 14fdba013c..cabfde40ef 100644 --- a/erpnext/regional/india/setup.py +++ b/erpnext/regional/india/setup.py @@ -79,9 +79,10 @@ def add_custom_roles_for_reports(): def add_permissions(): for doctype in ('GST HSN Code', 'GST Settings'): add_permission(doctype, 'All', 0) - add_permission(doctype, 'Accounts Manager', 0) - update_permission_property(doctype, 'Accounts Manager', 0, 'write', 1) - update_permission_property(doctype, 'Accounts Manager', 0, 'create', 1) + for role in ('Accounts Manager', 'System Manager', 'Item Manager', 'Stock Manager'): + add_permission(doctype, role, 0) + update_permission_property(doctype, role, 0, 'write', 1) + update_permission_property(doctype, role, 0, 'create', 1) def add_print_formats(): frappe.reload_doc("regional", "print_format", "gst_tax_invoice") @@ -718,4 +719,4 @@ def get_tds_details(accounts, fiscal_year): doctype="Tax Withholding Category", accounts=accounts, rates=[{"fiscal_year": fiscal_year, "tax_withholding_rate": 20, "single_threshold": 2500, "cumulative_threshold": 0}]) - ] \ No newline at end of file + ] From 589f2cd16c1051504c01743ead56a65ef6deea78 Mon Sep 17 00:00:00 2001 From: Deepesh Garg <42651287+deepeshgarg007@users.noreply.github.com> Date: Mon, 3 Feb 2020 15:49:24 +0530 Subject: [PATCH 26/46] fix: Get only specified company accounts in financial statements (#20486) --- erpnext/accounts/report/financial_statements.py | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/accounts/report/financial_statements.py b/erpnext/accounts/report/financial_statements.py index 30c012e9e7..96f78f9321 100644 --- a/erpnext/accounts/report/financial_statements.py +++ b/erpnext/accounts/report/financial_statements.py @@ -348,7 +348,8 @@ def set_gl_entries_by_account( additional_conditions = get_additional_conditions(from_date, ignore_closing_entries, filters) accounts = frappe.db.sql_list("""select name from `tabAccount` - where lft >= %s and rgt <= %s""", (root_lft, root_rgt)) + where lft >= %s and rgt <= %s and company = %s""", (root_lft, root_rgt, company)) + additional_conditions += " and account in ({})"\ .format(", ".join([frappe.db.escape(d) for d in accounts])) From 4fca6cae349925bf248cb161e4fa8bc3186ad648 Mon Sep 17 00:00:00 2001 From: Saqib Date: Mon, 3 Feb 2020 15:53:27 +0530 Subject: [PATCH 27/46] feat: add tax category in pos profile (#20413) * feat: add tax category in pos profile * fix: review fixes --- erpnext/accounts/doctype/pos_profile/pos_profile.json | 10 +++++++++- .../accounts/doctype/sales_invoice/sales_invoice.py | 3 +++ 2 files changed, 12 insertions(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/pos_profile/pos_profile.json b/erpnext/accounts/doctype/pos_profile/pos_profile.json index aa9f85a05a..fba1bed9dd 100644 --- a/erpnext/accounts/doctype/pos_profile/pos_profile.json +++ b/erpnext/accounts/doctype/pos_profile/pos_profile.json @@ -3,6 +3,7 @@ "autoname": "Prompt", "creation": "2013-05-24 12:15:51", "doctype": "DocType", + "engine": "InnoDB", "field_order": [ "disabled", "section_break_2", @@ -50,6 +51,7 @@ "income_account", "expense_account", "taxes_and_charges", + "tax_category", "apply_discount_on", "accounting_dimensions_section", "cost_center", @@ -381,11 +383,17 @@ { "fieldname": "dimension_col_break", "fieldtype": "Column Break" + }, + { + "fieldname": "tax_category", + "fieldtype": "Link", + "label": "Tax Category", + "options": "Tax Category" } ], "icon": "icon-cog", "idx": 1, - "modified": "2019-05-25 22:56:30.352693", + "modified": "2020-01-24 15:52:03.797701", "modified_by": "Administrator", "module": "Accounts", "name": "POS Profile", diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index d576a66835..d8344ea6a6 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -420,6 +420,9 @@ class SalesInvoice(SellingController): if pos: self.allow_print_before_pay = pos.allow_print_before_pay + + if not for_validate: + self.tax_category = pos.get("tax_category") if not for_validate and not self.customer: self.customer = pos.customer From 9e1fbaf59e2808640f2c6aee4080aa29ad66e5c3 Mon Sep 17 00:00:00 2001 From: Deepesh Garg <42651287+deepeshgarg007@users.noreply.github.com> Date: Mon, 3 Feb 2020 15:58:50 +0530 Subject: [PATCH 28/46] fix: Label and UX fixes while creating payment entry against customer (#20465) * fix: Label and UX fixes while creating payment entry against customer * fix: filter --- erpnext/accounts/doctype/bank_account/bank_account.json | 6 ++++-- erpnext/accounts/doctype/payment_entry/payment_entry.py | 4 +++- erpnext/selling/doctype/customer/customer.js | 8 ++++++++ erpnext/selling/doctype/customer/customer.json | 6 ++++-- erpnext/selling/doctype/customer/customer.py | 6 ++++++ 5 files changed, 25 insertions(+), 5 deletions(-) diff --git a/erpnext/accounts/doctype/bank_account/bank_account.json b/erpnext/accounts/doctype/bank_account/bank_account.json index 8e30b8555c..c8ae26d9f2 100644 --- a/erpnext/accounts/doctype/bank_account/bank_account.json +++ b/erpnext/accounts/doctype/bank_account/bank_account.json @@ -1,4 +1,5 @@ { + "actions": [], "allow_import": 1, "allow_rename": 1, "creation": "2017-05-29 21:35:13.136357", @@ -82,7 +83,7 @@ "default": "0", "fieldname": "is_default", "fieldtype": "Check", - "label": "Is the Default Account" + "label": "Is Default Account" }, { "default": "0", @@ -211,7 +212,8 @@ "read_only": 1 } ], - "modified": "2019-10-02 01:34:12.417601", + "links": [], + "modified": "2020-01-29 20:42:26.458316", "modified_by": "Administrator", "module": "Accounts", "name": "Bank Account", diff --git a/erpnext/accounts/doctype/payment_entry/payment_entry.py b/erpnext/accounts/doctype/payment_entry/payment_entry.py index e36e23add8..55d275831e 100644 --- a/erpnext/accounts/doctype/payment_entry/payment_entry.py +++ b/erpnext/accounts/doctype/payment_entry/payment_entry.py @@ -102,7 +102,9 @@ class PaymentEntry(AccountsController): self.bank = bank_data.bank self.bank_account_no = bank_data.bank_account_no - self.set(field, bank_data.account) + + if not self.get(field): + self.set(field, bank_data.account) def validate_allocated_amount(self): for d in self.get("references"): diff --git a/erpnext/selling/doctype/customer/customer.js b/erpnext/selling/doctype/customer/customer.js index ec1b79b2b2..825b170a90 100644 --- a/erpnext/selling/doctype/customer/customer.js +++ b/erpnext/selling/doctype/customer/customer.js @@ -55,6 +55,14 @@ frappe.ui.form.on("Customer", { } } }) + + frm.set_query('default_bank_account', function() { + return { + filters: { + 'is_company_account': 1 + } + } + }); }, customer_primary_address: function(frm){ if(frm.doc.customer_primary_address){ diff --git a/erpnext/selling/doctype/customer/customer.json b/erpnext/selling/doctype/customer/customer.json index dc8febdb99..89ce325a84 100644 --- a/erpnext/selling/doctype/customer/customer.json +++ b/erpnext/selling/doctype/customer/customer.json @@ -1,4 +1,5 @@ { + "actions": [], "allow_events_in_timeline": 1, "allow_import": 1, "allow_rename": 1, @@ -122,7 +123,7 @@ { "fieldname": "default_bank_account", "fieldtype": "Link", - "label": "Default Bank Account", + "label": "Default Company Bank Account", "options": "Bank Account" }, { @@ -470,7 +471,8 @@ "icon": "fa fa-user", "idx": 363, "image_field": "image", - "modified": "2020-01-24 15:07:48.815546", + "links": [], + "modified": "2020-01-29 20:36:37.879581", "modified_by": "Administrator", "module": "Selling", "name": "Customer", diff --git a/erpnext/selling/doctype/customer/customer.py b/erpnext/selling/doctype/customer/customer.py index 136236c417..7f2fe60f59 100644 --- a/erpnext/selling/doctype/customer/customer.py +++ b/erpnext/selling/doctype/customer/customer.py @@ -54,6 +54,7 @@ class Customer(TransactionBase): self.validate_credit_limit_on_change() self.set_loyalty_program() self.check_customer_group_change() + self.validate_default_bank_account() # set loyalty program tier if frappe.db.exists('Customer', self.name): @@ -72,6 +73,11 @@ class Customer(TransactionBase): if self.customer_group != frappe.db.get_value('Customer', self.name, 'customer_group'): frappe.flags.customer_group_changed = True + def validate_default_bank_account(self): + if self.default_bank_account: + is_company_account = frappe.db.get_value('Bank Account', self.default_bank_account, 'is_company_account') + frappe.throw(_("{0} is not a company bank account").format(frappe.bold(self.default_bank_account))) + def on_update(self): self.validate_name_with_customer_group() self.create_primary_contact() From 10b3b79c0fb68ec0a76550c0d3f2e763f143f280 Mon Sep 17 00:00:00 2001 From: Himanshu Date: Mon, 3 Feb 2020 16:16:49 +0530 Subject: [PATCH 29/46] fix(Report): query report for Quality Action (#20424) * fix: query report for QA * fix: add QM permission * fix: add QM permission --- .../quality_review/quality_review.json | 16 +++++++- .../report/review/review.json | 38 ++++++++++--------- 2 files changed, 36 insertions(+), 18 deletions(-) diff --git a/erpnext/quality_management/doctype/quality_review/quality_review.json b/erpnext/quality_management/doctype/quality_review/quality_review.json index bd5e9351f4..76714ced81 100644 --- a/erpnext/quality_management/doctype/quality_review/quality_review.json +++ b/erpnext/quality_management/doctype/quality_review/quality_review.json @@ -1,4 +1,5 @@ { + "actions": [], "autoname": "format:REV-{#####}", "creation": "2018-10-02 11:45:16.301955", "doctype": "DocType", @@ -73,7 +74,8 @@ "reqd": 1 } ], - "modified": "2019-05-26 23:12:47.302189", + "links": [], + "modified": "2020-02-01 10:59:38.933115", "modified_by": "Administrator", "module": "Quality Management", "name": "Quality Review", @@ -102,6 +104,18 @@ "role": "All", "share": 1, "write": 1 + }, + { + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Quality Manager", + "share": 1, + "write": 1 } ], "sort_field": "modified", diff --git a/erpnext/quality_management/report/review/review.json b/erpnext/quality_management/report/review/review.json index 7fce2d4c57..bdd8924a60 100644 --- a/erpnext/quality_management/report/review/review.json +++ b/erpnext/quality_management/report/review/review.json @@ -1,24 +1,28 @@ { - "add_total_row": 0, - "creation": "2018-10-16 12:28:43.651915", - "disabled": 0, - "docstatus": 0, - "doctype": "Report", - "idx": 0, - "is_standard": "Yes", - "modified": "2018-10-16 15:23:25.667237", - "modified_by": "Administrator", - "module": "Quality Management", - "name": "Review", - "owner": "Administrator", - "prepared_report": 0, - "query": "SELECT\n `tabQuality Action`.name as \"Name:Data:200\",\n `tabQuality Action`.action as \"Action:Select/[corrective,Preventive]:200\",\n `tabQuality Action`.review as \"Review:Link/Quality Review:200\",\n `tabQuality Action`.date as \"Date:Date:120\",\n `tabQuality Action`.status as \"Status:Select/Planned:150\"\nFROM\n `tabQuality Action`\nWHERE\n `tabQuality Action`.type='Quality Review'\n \n ", - "ref_doctype": "Quality Action", - "report_name": "Review", - "report_type": "Query Report", + "add_total_row": 0, + "creation": "2018-10-16 12:28:43.651915", + "disable_prepared_report": 0, + "disabled": 0, + "docstatus": 0, + "doctype": "Report", + "idx": 0, + "is_standard": "Yes", + "modified": "2020-02-01 11:03:23.816448", + "modified_by": "Administrator", + "module": "Quality Management", + "name": "Review", + "owner": "Administrator", + "prepared_report": 0, + "query": "SELECT\n `tabQuality Action`.name as \"Name:Data:200\",\n `tabQuality Action`.corrective_preventive as \"Action:Select/[Corrective,Preventive]:200\",\n `tabQuality Action`.document_type as \"Document Type:Select/[Quality Review, Quality Feedback]:200\",\n `tabQuality Action`.date as \"Date:Date:120\",\n `tabQuality Action`.status as \"Status:Select/Planned:150\"\nFROM\n `tabQuality Action`\nWHERE\n `tabQuality Action`.document_type='Quality Review'\n \n ", + "ref_doctype": "Quality Action", + "report_name": "Review", + "report_type": "Query Report", "roles": [ { "role": "System Manager" + }, + { + "role": "Quality Manager" } ] } \ No newline at end of file From 6c14a08631358a15bd973f6d5206be8e07f86883 Mon Sep 17 00:00:00 2001 From: Pranav Nachnekar Date: Mon, 3 Feb 2020 11:35:26 +0000 Subject: [PATCH 30/46] fix: disallow quick entry for doctypes with tree view (#20452) --- .../doctype/cost_center/cost_center.json | 5 +- erpnext/assets/doctype/location/location.json | 565 +--------- .../customer_group/customer_group.json | 8 +- .../setup/doctype/item_group/item_group.json | 1001 ++++------------- .../doctype/sales_person/sales_person.json | 470 +------- .../setup/doctype/territory/territory.json | 614 +++------- .../stock/doctype/warehouse/warehouse.json | 7 +- 7 files changed, 459 insertions(+), 2211 deletions(-) diff --git a/erpnext/accounts/doctype/cost_center/cost_center.json b/erpnext/accounts/doctype/cost_center/cost_center.json index 5149be216b..976f05ad63 100644 --- a/erpnext/accounts/doctype/cost_center/cost_center.json +++ b/erpnext/accounts/doctype/cost_center/cost_center.json @@ -1,4 +1,5 @@ { + "actions": [], "allow_copy": 1, "allow_import": 1, "allow_rename": 1, @@ -123,7 +124,8 @@ ], "icon": "fa fa-money", "idx": 1, - "modified": "2019-09-16 14:44:17.103548", + "links": [], + "modified": "2020-01-28 13:50:23.430434", "modified_by": "Administrator", "module": "Accounts", "name": "Cost Center", @@ -162,7 +164,6 @@ "role": "Purchase User" } ], - "quick_entry": 1, "search_fields": "parent_cost_center, is_group", "show_name_in_global_search": 1, "sort_field": "modified", diff --git a/erpnext/assets/doctype/location/location.json b/erpnext/assets/doctype/location/location.json index 5dc13062b2..5ecc72ab91 100644 --- a/erpnext/assets/doctype/location/location.json +++ b/erpnext/assets/doctype/location/location.json @@ -1,580 +1,146 @@ { - "allow_copy": 0, - "allow_guest_to_view": 0, + "actions": [], "allow_import": 1, "allow_rename": 1, "autoname": "field:location_name", - "beta": 0, "creation": "2018-05-07 12:49:22.595974", - "custom": 0, - "docstatus": 0, "doctype": "DocType", - "document_type": "", "editable_grid": 1, "engine": "InnoDB", + "field_order": [ + "location_name", + "parent_location", + "cb_details", + "is_container", + "is_group", + "sb_location_details", + "latitude", + "longitude", + "cb_latlong", + "area", + "area_uom", + "sb_geolocation", + "location", + "tree_details", + "lft", + "rgt", + "old_parent" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "location_name", "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, "in_list_view": 1, - "in_standard_filter": 0, "label": "Location Name", - "length": 0, "no_copy": 1, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, "unique": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "parent_location", "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Parent Location", - "length": 0, - "no_copy": 0, "options": "Location", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "search_index": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "cb_details", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldtype": "Column Break" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, + "default": "0", "description": "Check if it is a hydroponic unit", "fieldname": "is_container", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Is Container", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Is Container" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, "bold": 1, - "collapsible": 0, - "columns": 0, + "default": "0", "fieldname": "is_group", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, "in_list_view": 1, - "in_standard_filter": 0, - "label": "Is Group", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Is Group" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "sb_location_details", "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Location Details", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Location Details" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fetch_from": "parent_location.latitude", "fieldname": "latitude", "fieldtype": "Float", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Latitude", - "length": 0, - "no_copy": 0, - "options": "", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Latitude" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fetch_from": "parent_location.longitude", "fieldname": "longitude", "fieldtype": "Float", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Longitude", - "length": 0, - "no_copy": 0, - "options": "", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Longitude" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "cb_latlong", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldtype": "Column Break" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "area", "fieldtype": "Float", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Area", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "depends_on": "eval:doc.area", "fieldname": "area_uom", "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Area UOM", - "length": 0, - "no_copy": 0, - "options": "UOM", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "UOM" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "sb_geolocation", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldtype": "Section Break" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "location", "fieldtype": "Geolocation", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Location", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Location" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "tree_details", "fieldtype": "Section Break", "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Tree Details", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Tree Details" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "lft", "fieldtype": "Int", "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "lft", - "length": 0, "no_copy": 1, - "permlevel": 0, - "precision": "", "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "rgt", "fieldtype": "Int", "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "rgt", - "length": 0, "no_copy": 1, - "permlevel": 0, - "precision": "", "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "old_parent", "fieldtype": "Data", "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Old Parent", - "length": 0, "no_copy": 1, - "permlevel": 0, - "precision": "", "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "read_only": 1 } ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "idx": 0, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 0, - "max_attachments": 0, - "modified": "2018-07-11 13:36:30.999405", + "links": [], + "modified": "2020-01-28 13:52:22.513425", "modified_by": "Administrator", "module": "Assets", "name": "Location", @@ -582,127 +148,78 @@ "owner": "Administrator", "permissions": [ { - "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, "role": "System Manager", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 }, { - "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, "role": "Stock User", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 }, { - "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, "role": "Accounts User", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 }, { - "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, "role": "Stock Manager", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 }, { - "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, "role": "Agriculture Manager", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, "email": 1, "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, "role": "Agriculture User", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 } ], - "quick_entry": 1, - "read_only": 0, - "read_only_onload": 0, "show_name_in_global_search": 1, "sort_field": "modified", "sort_order": "DESC", - "track_changes": 1, - "track_seen": 0, - "track_views": 0 + "track_changes": 1 } \ No newline at end of file diff --git a/erpnext/setup/doctype/customer_group/customer_group.json b/erpnext/setup/doctype/customer_group/customer_group.json index 3565b4b38a..7fa242ae19 100644 --- a/erpnext/setup/doctype/customer_group/customer_group.json +++ b/erpnext/setup/doctype/customer_group/customer_group.json @@ -1,11 +1,12 @@ { - "_comments": "[]", + "actions": [], "allow_import": 1, "allow_rename": 1, "autoname": "field:customer_group_name", "creation": "2013-01-10 16:34:23", "doctype": "DocType", "document_type": "Setup", + "engine": "InnoDB", "field_order": [ "customer_group_name", "parent_customer_group", @@ -136,7 +137,8 @@ ], "icon": "fa fa-sitemap", "idx": 1, - "modified": "2019-09-06 12:40:14.954697", + "links": [], + "modified": "2020-01-28 13:49:23.961708", "modified_by": "Administrator", "module": "Setup", "name": "Customer Group", @@ -187,8 +189,8 @@ "role": "Sales Manager" } ], - "quick_entry": 1, "search_fields": "parent_customer_group", "show_name_in_global_search": 1, + "sort_field": "modified", "sort_order": "DESC" } \ No newline at end of file diff --git a/erpnext/setup/doctype/item_group/item_group.json b/erpnext/setup/doctype/item_group/item_group.json index 656d460e0f..36e3e68ef4 100644 --- a/erpnext/setup/doctype/item_group/item_group.json +++ b/erpnext/setup/doctype/item_group/item_group.json @@ -1,817 +1,252 @@ { - "allow_copy": 0, - "allow_events_in_timeline": 0, - "allow_guest_to_view": 0, - "allow_import": 1, - "allow_rename": 1, - "autoname": "field:item_group_name", - "beta": 0, - "creation": "2013-03-28 10:35:29", - "custom": 0, - "description": "Item Classification", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Setup", - "editable_grid": 0, + "actions": [], + "allow_import": 1, + "allow_rename": 1, + "autoname": "field:item_group_name", + "creation": "2013-03-28 10:35:29", + "description": "Item Classification", + "doctype": "DocType", + "document_type": "Setup", + "engine": "InnoDB", + "field_order": [ + "gs", + "item_group_name", + "parent_item_group", + "is_group", + "image", + "column_break_5", + "defaults", + "item_group_defaults", + "sec_break_taxes", + "taxes", + "sb9", + "show_in_website", + "route", + "weightage", + "slideshow", + "description", + "website_specifications", + "lft", + "rgt", + "old_parent" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "gs", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "General Settings", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "gs", + "fieldtype": "Section Break", + "label": "General Settings" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "item_group_name", - "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Item Group Name", - "length": 0, - "no_copy": 0, - "oldfieldname": "item_group_name", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "fieldname": "item_group_name", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Item Group Name", + "oldfieldname": "item_group_name", + "oldfieldtype": "Data", + "reqd": 1, "unique": 1 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 0, - "description": "", - "fieldname": "parent_item_group", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 1, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Parent Item Group", - "length": 0, - "no_copy": 0, - "oldfieldname": "parent_item_group", - "oldfieldtype": "Link", - "options": "Item Group", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "bold": 1, + "fieldname": "parent_item_group", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "in_list_view": 1, + "label": "Parent Item Group", + "oldfieldname": "parent_item_group", + "oldfieldtype": "Link", + "options": "Item Group" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 0, - "description": "Only leaf nodes are allowed in transaction", - "fieldname": "is_group", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Is Group", - "length": 0, - "no_copy": 0, - "oldfieldname": "is_group", - "oldfieldtype": "Select", - "options": "", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "bold": 1, + "default": "0", + "description": "Only leaf nodes are allowed in transaction", + "fieldname": "is_group", + "fieldtype": "Check", + "in_list_view": 1, + "label": "Is Group", + "oldfieldname": "is_group", + "oldfieldtype": "Select" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "image", - "fieldtype": "Attach Image", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Image", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "image", + "fieldtype": "Attach Image", + "hidden": 1, + "label": "Image" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break_5", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "column_break_5", + "fieldtype": "Column Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "defaults", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Defaults", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "defaults", + "fieldtype": "Section Break", + "label": "Defaults" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "item_group_defaults", - "fieldtype": "Table", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Item Group Defaults", - "length": 0, - "no_copy": 0, - "options": "Item Default", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "item_group_defaults", + "fieldtype": "Table", + "label": "Item Group Defaults", + "options": "Item Default" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "collapsible_depends_on": "", - "columns": 0, - "fieldname": "sec_break_taxes", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Item Tax", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "sec_break_taxes", + "fieldtype": "Section Break", + "label": "Item Tax" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "taxes", - "fieldtype": "Table", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Taxes", - "length": 0, - "no_copy": 0, - "options": "Item Tax", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "taxes", + "fieldtype": "Table", + "label": "Taxes", + "options": "Item Tax" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "sb9", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Website Settings", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "sb9", + "fieldtype": "Section Break", + "label": "Website Settings" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "Check this if you want to show in website", - "fieldname": "show_in_website", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Show in Website", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "default": "0", + "description": "Check this if you want to show in website", + "fieldname": "show_in_website", + "fieldtype": "Check", + "label": "Show in Website" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "show_in_website", - "fieldname": "route", - "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Route", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "depends_on": "show_in_website", + "fieldname": "route", + "fieldtype": "Data", + "label": "Route", "unique": 1 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "weightage", - "fieldtype": "Int", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Weightage", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "weightage", + "fieldtype": "Int", + "label": "Weightage" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "show_in_website", - "description": "Show this slideshow at the top of the page", - "fieldname": "slideshow", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Slideshow", - "length": 0, - "no_copy": 0, - "options": "Website Slideshow", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "depends_on": "show_in_website", + "description": "Show this slideshow at the top of the page", + "fieldname": "slideshow", + "fieldtype": "Link", + "label": "Slideshow", + "options": "Website Slideshow" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "show_in_website", - "description": "HTML / Banner that will show on the top of product list.", - "fieldname": "description", - "fieldtype": "Text Editor", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Description", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "depends_on": "show_in_website", + "description": "HTML / Banner that will show on the top of product list.", + "fieldname": "description", + "fieldtype": "Text Editor", + "label": "Description" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "show_in_website", - "fieldname": "website_specifications", - "fieldtype": "Table", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Website Specifications", - "length": 0, - "no_copy": 0, - "options": "Item Website Specification", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "depends_on": "show_in_website", + "fieldname": "website_specifications", + "fieldtype": "Table", + "label": "Website Specifications", + "options": "Item Website Specification" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "lft", - "fieldtype": "Int", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "lft", - "length": 0, - "no_copy": 1, - "oldfieldname": "lft", - "oldfieldtype": "Int", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "lft", + "fieldtype": "Int", + "hidden": 1, + "label": "lft", + "no_copy": 1, + "oldfieldname": "lft", + "oldfieldtype": "Int", + "print_hide": 1, + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "rgt", - "fieldtype": "Int", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "rgt", - "length": 0, - "no_copy": 1, - "oldfieldname": "rgt", - "oldfieldtype": "Int", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "rgt", + "fieldtype": "Int", + "hidden": 1, + "label": "rgt", + "no_copy": 1, + "oldfieldname": "rgt", + "oldfieldtype": "Int", + "print_hide": 1, + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "", - "fieldname": "old_parent", - "fieldtype": "Link", - "hidden": 1, - "ignore_user_permissions": 1, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "old_parent", - "length": 0, - "no_copy": 1, - "oldfieldname": "old_parent", - "oldfieldtype": "Data", - "options": "Item Group", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 1, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldname": "old_parent", + "fieldtype": "Link", + "hidden": 1, + "ignore_user_permissions": 1, + "label": "old_parent", + "no_copy": 1, + "oldfieldname": "old_parent", + "oldfieldtype": "Data", + "options": "Item Group", + "print_hide": 1, + "report_hide": 1 } - ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "icon": "fa fa-sitemap", - "idx": 1, - "image_field": "image", - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 0, - "max_attachments": 3, - "modified": "2018-11-23 15:17:28.003933", - "modified_by": "Administrator", - "module": "Setup", - "name": "Item Group", - "name_case": "Title Case", - "owner": "Administrator", + ], + "icon": "fa fa-sitemap", + "idx": 1, + "image_field": "image", + "links": [], + "max_attachments": 3, + "modified": "2020-01-28 13:51:05.456014", + "modified_by": "Administrator", + "module": "Setup", + "name": "Item Group", + "name_case": "Title Case", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Stock Manager", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - }, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Stock Manager" + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Stock User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - }, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Stock User" + }, { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "if_owner": 0, - "import": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Item Manager", - "set_user_permissions": 1, - "share": 1, - "submit": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Item Manager", + "set_user_permissions": 1, + "share": 1, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - }, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales User" + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Purchase User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - }, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Purchase User" + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User" } - ], - "quick_entry": 1, - "read_only": 0, - "read_only_onload": 0, - "search_fields": "parent_item_group", - "show_name_in_global_search": 1, - "sort_order": "DESC", - "track_changes": 0, - "track_seen": 0, - "track_views": 0 -} + ], + "search_fields": "parent_item_group", + "show_name_in_global_search": 1, + "sort_field": "modified", + "sort_order": "DESC" +} \ No newline at end of file diff --git a/erpnext/setup/doctype/sales_person/sales_person.json b/erpnext/setup/doctype/sales_person/sales_person.json index 27f79eb41f..b05365d2ca 100644 --- a/erpnext/setup/doctype/sales_person/sales_person.json +++ b/erpnext/setup/doctype/sales_person/sales_person.json @@ -1,579 +1,183 @@ { - "allow_copy": 0, - "allow_events_in_timeline": 0, - "allow_guest_to_view": 0, + "actions": [], "allow_import": 1, "allow_rename": 1, "autoname": "field:sales_person_name", - "beta": 0, "creation": "2013-01-10 16:34:24", - "custom": 0, "description": "All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.", - "docstatus": 0, "doctype": "DocType", "document_type": "Setup", - "editable_grid": 0, "engine": "InnoDB", + "field_order": [ + "name_and_employee_id", + "sales_person_name", + "parent_sales_person", + "commission_rate", + "is_group", + "enabled", + "cb0", + "employee", + "department", + "lft", + "rgt", + "old_parent", + "target_details_section_break", + "targets" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "name_and_employee_id", "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Name and Employee ID", - "length": 0, - "no_copy": 0, - "options": "icon-user", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "icon-user" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "sales_person_name", "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, "in_list_view": 1, - "in_standard_filter": 0, "label": "Sales Person Name", - "length": 0, - "no_copy": 0, "oldfieldname": "sales_person_name", "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, "unique": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "description": "Select company name first.", - "fetch_if_empty": 0, "fieldname": "parent_sales_person", "fieldtype": "Link", - "hidden": 0, "ignore_user_permissions": 1, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, "in_list_view": 1, - "in_standard_filter": 0, "label": "Parent Sales Person", - "length": 0, - "no_copy": 0, "oldfieldname": "parent_sales_person", "oldfieldtype": "Link", - "options": "Sales Person", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "Sales Person" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "commission_rate", "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Commission Rate", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "print_hide": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, + "default": "0", "fieldname": "is_group", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, "in_list_view": 1, - "in_standard_filter": 0, "label": "Is Group", - "length": 0, - "no_copy": 0, "oldfieldname": "is_group", "oldfieldtype": "Select", - "options": "", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "reqd": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "default": "1", - "fetch_if_empty": 0, "fieldname": "enabled", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Enabled", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Enabled" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "cb0", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldtype": "Column Break" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "employee", "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Employee", - "length": 0, - "no_copy": 0, - "options": "Employee", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "Employee" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fetch_from": "employee.department", - "fetch_if_empty": 0, "fieldname": "department", "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Department", - "length": 0, - "no_copy": 0, "options": "Department", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "lft", "fieldtype": "Int", "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "lft", - "length": 0, "no_copy": 1, "oldfieldname": "lft", "oldfieldtype": "Int", - "permlevel": 0, "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "search_index": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "rgt", "fieldtype": "Int", "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "rgt", - "length": 0, "no_copy": 1, "oldfieldname": "rgt", "oldfieldtype": "Int", - "permlevel": 0, "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "search_index": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "old_parent", "fieldtype": "Data", "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "old_parent", - "length": 0, "no_copy": 1, "oldfieldname": "old_parent", "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "print_hide": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "description": "Set targets Item Group-wise for this Sales Person.", - "fetch_if_empty": 0, "fieldname": "target_details_section_break", "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Sales Person Targets", - "length": 0, - "no_copy": 0, "oldfieldtype": "Section Break", - "options": "icon-bullseye", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "icon-bullseye" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "targets", "fieldtype": "Table", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Targets", - "length": 0, - "no_copy": 0, "oldfieldname": "target_details", "oldfieldtype": "Table", - "options": "Target Detail", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "Target Detail" } ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, "icon": "icon-user", "idx": 1, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 0, - "max_attachments": 0, - "modified": "2019-03-22 16:26:01.706129", + "links": [], + "modified": "2020-01-28 13:50:31.891050", "modified_by": "Administrator", "module": "Setup", "name": "Sales Person", "owner": "Administrator", "permissions": [ { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, - "role": "Sales Manager", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 + "role": "Sales Manager" }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, - "role": "Sales User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 + "role": "Sales User" }, { - "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, "role": "Sales Master Manager", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 } ], - "quick_entry": 1, - "read_only": 0, - "read_only_onload": 0, "search_fields": "parent_sales_person", "show_name_in_global_search": 1, - "sort_order": "ASC", - "track_changes": 0, - "track_seen": 0, - "track_views": 0 + "sort_field": "modified", + "sort_order": "ASC" } \ No newline at end of file diff --git a/erpnext/setup/doctype/territory/territory.json b/erpnext/setup/doctype/territory/territory.json index beadb48377..91a3dda2bb 100644 --- a/erpnext/setup/doctype/territory/territory.json +++ b/erpnext/setup/doctype/territory/territory.json @@ -1,487 +1,173 @@ { - "allow_copy": 0, - "allow_events_in_timeline": 0, - "allow_guest_to_view": 0, - "allow_import": 1, - "allow_rename": 1, - "autoname": "field:territory_name", - "beta": 0, - "creation": "2013-01-10 16:34:24", - "custom": 0, - "description": "Classification of Customers by region", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Setup", - "editable_grid": 0, + "actions": [], + "allow_import": 1, + "allow_rename": 1, + "autoname": "field:territory_name", + "creation": "2013-01-10 16:34:24", + "description": "Classification of Customers by region", + "doctype": "DocType", + "document_type": "Setup", + "engine": "InnoDB", + "field_order": [ + "territory_name", + "parent_territory", + "is_group", + "cb0", + "territory_manager", + "lft", + "rgt", + "old_parent", + "target_details_section_break", + "targets" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "territory_name", - "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Territory Name", - "length": 0, - "no_copy": 1, - "oldfieldname": "territory_name", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "fieldname": "territory_name", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Territory Name", + "no_copy": 1, + "oldfieldname": "territory_name", + "oldfieldtype": "Data", + "reqd": 1, "unique": 1 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 0, - "description": "", - "fetch_if_empty": 0, - "fieldname": "parent_territory", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 1, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Parent Territory", - "length": 0, - "no_copy": 0, - "oldfieldname": "parent_territory", - "oldfieldtype": "Link", - "options": "Territory", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "bold": 1, + "fieldname": "parent_territory", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "in_list_view": 1, + "label": "Parent Territory", + "oldfieldname": "parent_territory", + "oldfieldtype": "Link", + "options": "Territory" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 0, - "description": "", - "fetch_if_empty": 0, - "fieldname": "is_group", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Is Group", - "length": 0, - "no_copy": 0, - "oldfieldname": "is_group", - "oldfieldtype": "Select", - "options": "", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "bold": 1, + "default": "0", + "fieldname": "is_group", + "fieldtype": "Check", + "in_list_view": 1, + "label": "Is Group", + "oldfieldname": "is_group", + "oldfieldtype": "Select" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "cb0", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "cb0", + "fieldtype": "Column Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "For reference", - "fetch_if_empty": 0, - "fieldname": "territory_manager", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Territory Manager", - "length": 0, - "no_copy": 0, - "oldfieldname": "territory_manager", - "oldfieldtype": "Link", - "options": "Sales Person", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "description": "For reference", + "fieldname": "territory_manager", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Territory Manager", + "oldfieldname": "territory_manager", + "oldfieldtype": "Link", + "options": "Sales Person", + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "lft", - "fieldtype": "Int", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "lft", - "length": 0, - "no_copy": 1, - "oldfieldname": "lft", - "oldfieldtype": "Int", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "lft", + "fieldtype": "Int", + "hidden": 1, + "label": "lft", + "no_copy": 1, + "oldfieldname": "lft", + "oldfieldtype": "Int", + "print_hide": 1, + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "rgt", - "fieldtype": "Int", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "rgt", - "length": 0, - "no_copy": 1, - "oldfieldname": "rgt", - "oldfieldtype": "Int", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "rgt", + "fieldtype": "Int", + "hidden": 1, + "label": "rgt", + "no_copy": 1, + "oldfieldname": "rgt", + "oldfieldtype": "Int", + "print_hide": 1, + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "", - "fetch_if_empty": 0, - "fieldname": "old_parent", - "fieldtype": "Link", - "hidden": 1, - "ignore_user_permissions": 1, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "old_parent", - "length": 0, - "no_copy": 1, - "oldfieldname": "old_parent", - "oldfieldtype": "Data", - "options": "Territory", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 1, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "old_parent", + "fieldtype": "Link", + "hidden": 1, + "ignore_user_permissions": 1, + "label": "old_parent", + "no_copy": 1, + "oldfieldname": "old_parent", + "oldfieldtype": "Data", + "options": "Territory", + "print_hide": 1, + "report_hide": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.", - "fetch_if_empty": 0, - "fieldname": "target_details_section_break", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Territory Targets", - "length": 0, - "no_copy": 0, - "oldfieldtype": "Section Break", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "description": "Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.", + "fieldname": "target_details_section_break", + "fieldtype": "Section Break", + "label": "Territory Targets", + "oldfieldtype": "Section Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "targets", - "fieldtype": "Table", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Targets", - "length": 0, - "no_copy": 0, - "oldfieldname": "target_details", - "oldfieldtype": "Table", - "options": "Target Detail", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldname": "targets", + "fieldtype": "Table", + "label": "Targets", + "oldfieldname": "target_details", + "oldfieldtype": "Table", + "options": "Target Detail" } - ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "icon": "fa fa-map-marker", - "idx": 1, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 0, - "max_attachments": 0, - "modified": "2019-03-21 16:26:58.581431", - "modified_by": "Administrator", - "module": "Setup", - "name": "Territory", - "name_case": "Title Case", - "owner": "Administrator", + ], + "icon": "fa fa-map-marker", + "idx": 1, + "links": [], + "modified": "2020-01-28 13:49:31.905800", + "modified_by": "Administrator", + "module": "Setup", + "name": "Territory", + "name_case": "Title Case", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "if_owner": 0, - "import": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales Master Manager", - "set_user_permissions": 1, - "share": 1, - "submit": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales Master Manager", + "set_user_permissions": 1, + "share": 1, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales Manager", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - }, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales Manager" + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - }, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales User" + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 0, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 0, - "read": 1, - "report": 0, - "role": "Stock User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - }, + "read": 1, + "role": "Stock User" + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 0, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 0, - "read": 1, - "report": 0, - "role": "Maintenance User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 + "read": 1, + "role": "Maintenance User" } - ], - "quick_entry": 1, - "read_only": 0, - "read_only_onload": 0, - "search_fields": "parent_territory,territory_manager", - "show_name_in_global_search": 1, - "sort_order": "DESC", - "track_changes": 0, - "track_seen": 0, - "track_views": 0 + ], + "search_fields": "parent_territory,territory_manager", + "show_name_in_global_search": 1, + "sort_field": "modified", + "sort_order": "DESC" } \ No newline at end of file diff --git a/erpnext/stock/doctype/warehouse/warehouse.json b/erpnext/stock/doctype/warehouse/warehouse.json index 646725956d..2bf1ed8983 100644 --- a/erpnext/stock/doctype/warehouse/warehouse.json +++ b/erpnext/stock/doctype/warehouse/warehouse.json @@ -1,10 +1,12 @@ { + "actions": [], "allow_import": 1, "allow_rename": 1, "creation": "2013-03-07 18:50:32", "description": "A logical Warehouse against which stock entries are made.", "doctype": "DocType", "document_type": "Setup", + "engine": "InnoDB", "field_order": [ "warehouse_detail", "warehouse_name", @@ -226,7 +228,8 @@ ], "icon": "fa fa-building", "idx": 1, - "modified": "2019-05-22 11:17:23.357490", + "links": [], + "modified": "2020-01-28 13:50:59.368846", "modified_by": "Administrator", "module": "Stock", "name": "Warehouse", @@ -279,8 +282,8 @@ "role": "Manufacturing User" } ], - "quick_entry": 1, "show_name_in_global_search": 1, + "sort_field": "modified", "sort_order": "DESC", "title_field": "warehouse_name" } \ No newline at end of file From 1f6cc2b6ec4adb60fb660714560f2e8145850972 Mon Sep 17 00:00:00 2001 From: Anurag Mishra <32095923+Anurag810@users.noreply.github.com> Date: Mon, 3 Feb 2020 17:52:42 +0530 Subject: [PATCH 31/46] feat: appointment Letter (#20104) * feat: appointment Letter * fix: requested changes Co-authored-by: Nabin Hait --- erpnext/config/hr.py | 4 + .../hr/doctype/appointment_letter/__init__.py | 0 .../appointment_letter/appointment_letter.js | 30 +++++ .../appointment_letter.json | 124 ++++++++++++++++++ .../appointment_letter/appointment_letter.py | 25 ++++ .../test_appointment_letter.py | 10 ++ .../appointment_letter_content/__init__.py | 0 .../appointment_letter_content.json | 39 ++++++ .../appointment_letter_content.py | 10 ++ .../appointment_letter_template/__init__.py | 0 .../appointment_letter_template.js | 8 ++ .../appointment_letter_template.json | 69 ++++++++++ .../appointment_letter_template.py | 10 ++ .../test_appointment_letter_template.py | 10 ++ .../standard_appointment_letter/__init__.py | 0 .../standard_appointment_letter.html | 38 ++++++ .../standard_appointment_letter.json | 23 ++++ 17 files changed, 400 insertions(+) create mode 100644 erpnext/hr/doctype/appointment_letter/__init__.py create mode 100644 erpnext/hr/doctype/appointment_letter/appointment_letter.js create mode 100644 erpnext/hr/doctype/appointment_letter/appointment_letter.json create mode 100644 erpnext/hr/doctype/appointment_letter/appointment_letter.py create mode 100644 erpnext/hr/doctype/appointment_letter/test_appointment_letter.py create mode 100644 erpnext/hr/doctype/appointment_letter_content/__init__.py create mode 100644 erpnext/hr/doctype/appointment_letter_content/appointment_letter_content.json create mode 100644 erpnext/hr/doctype/appointment_letter_content/appointment_letter_content.py create mode 100644 erpnext/hr/doctype/appointment_letter_template/__init__.py create mode 100644 erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.js create mode 100644 erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.json create mode 100644 erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.py create mode 100644 erpnext/hr/doctype/appointment_letter_template/test_appointment_letter_template.py create mode 100644 erpnext/hr/print_format/standard_appointment_letter/__init__.py create mode 100644 erpnext/hr/print_format/standard_appointment_letter/standard_appointment_letter.html create mode 100644 erpnext/hr/print_format/standard_appointment_letter/standard_appointment_letter.json diff --git a/erpnext/config/hr.py b/erpnext/config/hr.py index 4e5e9037b3..7b3b4660f5 100644 --- a/erpnext/config/hr.py +++ b/erpnext/config/hr.py @@ -289,6 +289,10 @@ def get_data(): "name": "Job Offer", "onboard": 1, }, + { + "type": "doctype", + "name": "Appointment Letter", + }, { "type": "doctype", "name": "Staffing Plan", diff --git a/erpnext/hr/doctype/appointment_letter/__init__.py b/erpnext/hr/doctype/appointment_letter/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/hr/doctype/appointment_letter/appointment_letter.js b/erpnext/hr/doctype/appointment_letter/appointment_letter.js new file mode 100644 index 0000000000..a338dc6513 --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter/appointment_letter.js @@ -0,0 +1,30 @@ +// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors +// For license information, please see license.txt + +frappe.ui.form.on('Appointment Letter', { + appointment_letter_template: function(frm){ + if (frm.doc.appointment_letter_template){ + frappe.call({ + method: 'erpnext.hr.doctype.appointment_letter.appointment_letter.get_appointment_letter_details', + args : { + template : frm.doc.appointment_letter_template + }, + callback: function(r){ + if(r.message){ + let message_body = r.message; + frm.set_value("introduction", message_body[0].introduction); + frm.set_value("closing_notes", message_body[0].closing_notes); + frm.doc.terms = [] + for (var i in message_body[1].description){ + frm.add_child("terms"); + frm.fields_dict.terms.get_value()[i].title = message_body[1].description[i].title; + frm.fields_dict.terms.get_value()[i].description = message_body[1].description[i].description; + } + frm.refresh(); + } + } + + }); + } + }, +}); diff --git a/erpnext/hr/doctype/appointment_letter/appointment_letter.json b/erpnext/hr/doctype/appointment_letter/appointment_letter.json new file mode 100644 index 0000000000..c81b7004f6 --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter/appointment_letter.json @@ -0,0 +1,124 @@ +{ + "actions": [], + "autoname": "HR-APP-LETTER-.#####", + "creation": "2019-12-26 12:35:49.574828", + "default_print_format": "Standard Appointment Letter", + "doctype": "DocType", + "editable_grid": 1, + "engine": "InnoDB", + "field_order": [ + "job_applicant", + "applicant_name", + "column_break_3", + "company", + "appointment_date", + "appointment_letter_template", + "body_section", + "introduction", + "terms", + "closing_notes" + ], + "fields": [ + { + "fetch_from": "job_applicant.applicant_name", + "fieldname": "applicant_name", + "fieldtype": "Data", + "in_global_search": 1, + "in_list_view": 1, + "label": "Applicant Name", + "read_only": 1, + "reqd": 1 + }, + { + "fieldname": "appointment_date", + "fieldtype": "Date", + "label": "Appointment Date", + "reqd": 1 + }, + { + "fieldname": "appointment_letter_template", + "fieldtype": "Link", + "label": "Appointment Letter Template", + "options": "Appointment Letter Template", + "reqd": 1 + }, + { + "fetch_from": "appointment_letter_template.introduction", + "fieldname": "introduction", + "fieldtype": "Long Text", + "label": "Introduction", + "reqd": 1 + }, + { + "fieldname": "body_section", + "fieldtype": "Section Break", + "label": "Body" + }, + { + "fieldname": "column_break_3", + "fieldtype": "Column Break" + }, + { + "fieldname": "job_applicant", + "fieldtype": "Link", + "label": "Job Applicant", + "options": "Job Applicant", + "reqd": 1 + }, + { + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "options": "Company", + "reqd": 1 + }, + { + "fieldname": "closing_notes", + "fieldtype": "Text", + "label": "Closing Notes" + }, + { + "fieldname": "terms", + "fieldtype": "Table", + "label": "Terms", + "options": "Appointment Letter content", + "reqd": 1 + } + ], + "links": [], + "modified": "2020-01-21 17:30:36.334395", + "modified_by": "Administrator", + "module": "HR", + "name": "Appointment Letter", + "name_case": "Title Case", + "owner": "Administrator", + "permissions": [ + { + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "System Manager", + "share": 1, + "write": 1 + }, + { + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "HR Manager", + "share": 1, + "write": 1 + } + ], + "sort_field": "modified", + "sort_order": "DESC", + "track_changes": 1 +} \ No newline at end of file diff --git a/erpnext/hr/doctype/appointment_letter/appointment_letter.py b/erpnext/hr/doctype/appointment_letter/appointment_letter.py new file mode 100644 index 0000000000..85b82c5014 --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter/appointment_letter.py @@ -0,0 +1,25 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe +from frappe.model.document import Document + +class AppointmentLetter(Document): + pass + +@frappe.whitelist() +def get_appointment_letter_details(template): + body = [] + intro= frappe.get_list("Appointment Letter Template", + fields = ['introduction', 'closing_notes'], + filters={'name': template + })[0] + content = frappe.get_list("Appointment Letter content", + fields = ['title', 'description'], + filters={'parent': template + }) + body.append(intro) + body.append({'description': content}) + return body diff --git a/erpnext/hr/doctype/appointment_letter/test_appointment_letter.py b/erpnext/hr/doctype/appointment_letter/test_appointment_letter.py new file mode 100644 index 0000000000..b9ce9819c5 --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter/test_appointment_letter.py @@ -0,0 +1,10 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors +# See license.txt +from __future__ import unicode_literals + +# import frappe +import unittest + +class TestAppointmentLetter(unittest.TestCase): + pass diff --git a/erpnext/hr/doctype/appointment_letter_content/__init__.py b/erpnext/hr/doctype/appointment_letter_content/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/hr/doctype/appointment_letter_content/appointment_letter_content.json b/erpnext/hr/doctype/appointment_letter_content/appointment_letter_content.json new file mode 100644 index 0000000000..17a2b91cff --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter_content/appointment_letter_content.json @@ -0,0 +1,39 @@ +{ + "actions": [], + "creation": "2019-12-26 12:22:16.575767", + "doctype": "DocType", + "editable_grid": 1, + "engine": "InnoDB", + "field_order": [ + "title", + "description" + ], + "fields": [ + { + "fieldname": "title", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Title", + "reqd": 1 + }, + { + "fieldname": "description", + "fieldtype": "Long Text", + "in_list_view": 1, + "label": "Description", + "reqd": 1 + } + ], + "istable": 1, + "links": [], + "modified": "2019-12-26 12:24:09.824084", + "modified_by": "Administrator", + "module": "HR", + "name": "Appointment Letter content", + "owner": "Administrator", + "permissions": [], + "quick_entry": 1, + "sort_field": "modified", + "sort_order": "DESC", + "track_changes": 1 +} \ No newline at end of file diff --git a/erpnext/hr/doctype/appointment_letter_content/appointment_letter_content.py b/erpnext/hr/doctype/appointment_letter_content/appointment_letter_content.py new file mode 100644 index 0000000000..a1a49e536b --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter_content/appointment_letter_content.py @@ -0,0 +1,10 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +# import frappe +from frappe.model.document import Document + +class AppointmentLettercontent(Document): + pass diff --git a/erpnext/hr/doctype/appointment_letter_template/__init__.py b/erpnext/hr/doctype/appointment_letter_template/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.js b/erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.js new file mode 100644 index 0000000000..8270f7aca2 --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.js @@ -0,0 +1,8 @@ +// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors +// For license information, please see license.txt + +frappe.ui.form.on('Appointment Letter Template', { + // refresh: function(frm) { + + // } +}); diff --git a/erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.json b/erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.json new file mode 100644 index 0000000000..c136fb22fa --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.json @@ -0,0 +1,69 @@ +{ + "actions": [], + "autoname": "HR-APP-LETTER-TEMP-.#####", + "creation": "2019-12-26 12:20:14.219578", + "doctype": "DocType", + "editable_grid": 1, + "engine": "InnoDB", + "field_order": [ + "introduction", + "terms", + "closing_notes" + ], + "fields": [ + { + "fieldname": "introduction", + "fieldtype": "Long Text", + "in_list_view": 1, + "label": "Introduction", + "reqd": 1 + }, + { + "fieldname": "closing_notes", + "fieldtype": "Text", + "label": "Closing Notes" + }, + { + "fieldname": "terms", + "fieldtype": "Table", + "label": "Terms", + "options": "Appointment Letter content", + "reqd": 1 + } + ], + "links": [], + "modified": "2020-01-21 17:00:46.779420", + "modified_by": "Administrator", + "module": "HR", + "name": "Appointment Letter Template", + "owner": "Administrator", + "permissions": [ + { + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "System Manager", + "share": 1, + "write": 1 + }, + { + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "HR Manager", + "share": 1, + "write": 1 + } + ], + "sort_field": "modified", + "sort_order": "DESC", + "track_changes": 1 +} \ No newline at end of file diff --git a/erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.py b/erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.py new file mode 100644 index 0000000000..c23881f800 --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.py @@ -0,0 +1,10 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +# import frappe +from frappe.model.document import Document + +class AppointmentLetterTemplate(Document): + pass diff --git a/erpnext/hr/doctype/appointment_letter_template/test_appointment_letter_template.py b/erpnext/hr/doctype/appointment_letter_template/test_appointment_letter_template.py new file mode 100644 index 0000000000..3d061ac8e9 --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter_template/test_appointment_letter_template.py @@ -0,0 +1,10 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors +# See license.txt +from __future__ import unicode_literals + +# import frappe +import unittest + +class TestAppointmentLetterTemplate(unittest.TestCase): + pass diff --git a/erpnext/hr/print_format/standard_appointment_letter/__init__.py b/erpnext/hr/print_format/standard_appointment_letter/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/hr/print_format/standard_appointment_letter/standard_appointment_letter.html b/erpnext/hr/print_format/standard_appointment_letter/standard_appointment_letter.html new file mode 100644 index 0000000000..d60582e1a1 --- /dev/null +++ b/erpnext/hr/print_format/standard_appointment_letter/standard_appointment_letter.html @@ -0,0 +1,38 @@ +{%- from "templates/print_formats/standard_macros.html" import add_header -%} + +

Appointment Letter

+
+
+ {{ doc.applicant_name }}, +
+
+ Date: {{ doc.appointment_date }} +
+
+
+ {{ doc.introduction }} +
+
+
    + {% for content in doc.terms %} +
  • + + {{ content.title }}: {{ content.description }} + +
  • + {% endfor %} +
+
+
+Your sincerely,
+For {{ doc.company }} +
+ +
+ {{ doc.closing_notes }} +
+ +
+ ________________
+ {{ doc.applicant_name }} +
\ No newline at end of file diff --git a/erpnext/hr/print_format/standard_appointment_letter/standard_appointment_letter.json b/erpnext/hr/print_format/standard_appointment_letter/standard_appointment_letter.json new file mode 100644 index 0000000000..1813e711f5 --- /dev/null +++ b/erpnext/hr/print_format/standard_appointment_letter/standard_appointment_letter.json @@ -0,0 +1,23 @@ +{ + "align_labels_right": 0, + "creation": "2019-12-26 15:22:44.200332", + "custom_format": 0, + "default_print_language": "en", + "disabled": 0, + "doc_type": "Appointment Letter", + "docstatus": 0, + "doctype": "Print Format", + "font": "Default", + "idx": 0, + "line_breaks": 0, + "modified": "2020-01-21 17:24:16.705082", + "modified_by": "Administrator", + "module": "HR", + "name": "Standard Appointment Letter", + "owner": "Administrator", + "print_format_builder": 0, + "print_format_type": "Jinja", + "raw_printing": 0, + "show_section_headings": 0, + "standard": "Yes" +} \ No newline at end of file From d8e57d3d5a1d098bb9fc60193b4bb156c125ae81 Mon Sep 17 00:00:00 2001 From: Deepesh Garg <42651287+deepeshgarg007@users.noreply.github.com> Date: Mon, 3 Feb 2020 18:53:34 +0530 Subject: [PATCH 32/46] fix: Unable to submit landed cost voucher (#20493) * fix: Unable to submit landed cost voucher * fix: Test case for multiple landed cost voucher against a Purchase receipt * fix: Test Case --- .../test_landed_cost_voucher.py | 70 +++++++++++++++++++ .../purchase_receipt/purchase_receipt.py | 17 ++--- 2 files changed, 75 insertions(+), 12 deletions(-) diff --git a/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py b/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py index 988cf52ed0..62d369cb9d 100644 --- a/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py +++ b/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py @@ -162,6 +162,76 @@ class TestLandedCostVoucher(unittest.TestCase): self.assertEqual(lcv.items[0].applicable_charges, 41.07) self.assertEqual(lcv.items[2].applicable_charges, 41.08) + def test_multiple_landed_cost_voucher_against_pr(self): + pr = make_purchase_receipt(company="_Test Company with perpetual inventory", warehouse = "Stores - TCP1", + supplier_warehouse = "Stores - TCP1", do_not_save=True) + + pr.append("items", { + "item_code": "_Test Item", + "warehouse": "Stores - TCP1", + "cost_center": "Main - TCP1", + "qty": 5, + "rate": 100 + }) + + pr.submit() + + lcv1 = make_landed_cost_voucher(receipt_document_type = 'Purchase Receipt', + receipt_document=pr.name, charges=100, do_not_save=True) + + lcv1.insert() + lcv1.set('items', [ + lcv1.get('items')[0] + ]) + distribute_landed_cost_on_items(lcv1) + + lcv1.submit() + + lcv2 = make_landed_cost_voucher(receipt_document_type = 'Purchase Receipt', + receipt_document=pr.name, charges=100, do_not_save=True) + + lcv2.insert() + lcv2.set('items', [ + lcv2.get('items')[1] + ]) + distribute_landed_cost_on_items(lcv2) + + lcv2.submit() + + pr.load_from_db() + + self.assertEqual(pr.items[0].landed_cost_voucher_amount, 100) + self.assertEqual(pr.items[1].landed_cost_voucher_amount, 100) + +def make_landed_cost_voucher(** args): + args = frappe._dict(args) + ref_doc = frappe.get_doc(args.receipt_document_type, args.receipt_document) + + lcv = frappe.new_doc('Landed Cost Voucher') + lcv.company = '_Test Company' + lcv.distribute_charges_based_on = 'Amount' + + lcv.set('purchase_receipts', [{ + "receipt_document_type": args.receipt_document_type, + "receipt_document": args.receipt_document, + "supplier": ref_doc.supplier, + "posting_date": ref_doc.posting_date, + "grand_total": ref_doc.grand_total + }]) + + lcv.set("taxes", [{ + "description": "Shipping Charges", + "expense_account": "Expenses Included In Valuation - TCP1", + "amount": args.charges + }]) + + if not args.do_not_save: + lcv.insert() + if not args.do_not_submit: + lcv.submit() + + return lcv + def submit_landed_cost_voucher(receipt_document_type, receipt_document, charges=50): ref_doc = frappe.get_doc(receipt_document_type, receipt_document) diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py index 09adb56751..fb123b9c1f 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py @@ -349,7 +349,7 @@ class PurchaseReceipt(BuyingController): if warehouse_with_no_account: frappe.msgprint(_("No accounting entries for the following warehouses") + ": \n" + "\n".join(warehouse_with_no_account)) - + return process_gl_map(gl_entries) def get_asset_gl_entry(self, gl_entries): @@ -616,23 +616,16 @@ def get_item_account_wise_additional_cost(purchase_document): if not landed_cost_vouchers: return - - total_item_cost = 0 + item_account_wise_cost = {} - item_cost_allocated = [] for lcv in landed_cost_vouchers: - landed_cost_voucher_doc = frappe.get_cached_doc("Landed Cost Voucher", lcv.parent) + landed_cost_voucher_doc = frappe.get_doc("Landed Cost Voucher", lcv.parent) based_on_field = frappe.scrub(landed_cost_voucher_doc.distribute_charges_based_on) + total_item_cost = 0 for item in landed_cost_voucher_doc.items: - if item.purchase_receipt_item not in item_cost_allocated: - total_item_cost += item.get(based_on_field) - item_cost_allocated.append(item.purchase_receipt_item) - - for lcv in landed_cost_vouchers: - landed_cost_voucher_doc = frappe.get_cached_doc("Landed Cost Voucher", lcv.parent) - based_on_field = frappe.scrub(landed_cost_voucher_doc.distribute_charges_based_on) + total_item_cost += item.get(based_on_field) for item in landed_cost_voucher_doc.items: if item.receipt_document == purchase_document: From 30e766b228f08217b7e183ea97c76a2b75e93f89 Mon Sep 17 00:00:00 2001 From: Deepesh Garg Date: Wed, 5 Feb 2020 12:12:47 +0530 Subject: [PATCH 33/46] fix: SQL query in financial statements --- .../accounts/report/financial_statements.py | 53 ++++++++++--------- 1 file changed, 27 insertions(+), 26 deletions(-) diff --git a/erpnext/accounts/report/financial_statements.py b/erpnext/accounts/report/financial_statements.py index 96f78f9321..35915d0fc6 100644 --- a/erpnext/accounts/report/financial_statements.py +++ b/erpnext/accounts/report/financial_statements.py @@ -350,39 +350,40 @@ def set_gl_entries_by_account( accounts = frappe.db.sql_list("""select name from `tabAccount` where lft >= %s and rgt <= %s and company = %s""", (root_lft, root_rgt, company)) - additional_conditions += " and account in ({})"\ - .format(", ".join([frappe.db.escape(d) for d in accounts])) + if accounts: + additional_conditions += " and account in ({})"\ + .format(", ".join([frappe.db.escape(d) for d in accounts])) - gl_filters = { - "company": company, - "from_date": from_date, - "to_date": to_date, - "finance_book": cstr(filters.get("finance_book")) - } + gl_filters = { + "company": company, + "from_date": from_date, + "to_date": to_date, + "finance_book": cstr(filters.get("finance_book")) + } - if filters.get("include_default_book_entries"): - gl_filters["company_fb"] = frappe.db.get_value("Company", - company, 'default_finance_book') + if filters.get("include_default_book_entries"): + gl_filters["company_fb"] = frappe.db.get_value("Company", + company, 'default_finance_book') - for key, value in filters.items(): - if value: - gl_filters.update({ - key: value - }) + for key, value in filters.items(): + if value: + gl_filters.update({ + key: value + }) - gl_entries = frappe.db.sql("""select posting_date, account, debit, credit, is_opening, fiscal_year, debit_in_account_currency, credit_in_account_currency, account_currency from `tabGL Entry` - where company=%(company)s - {additional_conditions} - and posting_date <= %(to_date)s - order by account, posting_date""".format(additional_conditions=additional_conditions), gl_filters, as_dict=True) #nosec + gl_entries = frappe.db.sql("""select posting_date, account, debit, credit, is_opening, fiscal_year, debit_in_account_currency, credit_in_account_currency, account_currency from `tabGL Entry` + where company=%(company)s + {additional_conditions} + and posting_date <= %(to_date)s + order by account, posting_date""".format(additional_conditions=additional_conditions), gl_filters, as_dict=True) #nosec - if filters and filters.get('presentation_currency'): - convert_to_presentation_currency(gl_entries, get_currency(filters)) + if filters and filters.get('presentation_currency'): + convert_to_presentation_currency(gl_entries, get_currency(filters)) - for entry in gl_entries: - gl_entries_by_account.setdefault(entry.account, []).append(entry) + for entry in gl_entries: + gl_entries_by_account.setdefault(entry.account, []).append(entry) - return gl_entries_by_account + return gl_entries_by_account def get_additional_conditions(from_date, ignore_closing_entries, filters): From 9d9a3d85d86369b3381613d5766cd8a282ad13a2 Mon Sep 17 00:00:00 2001 From: 0Pranav Date: Wed, 5 Feb 2020 14:17:21 +0530 Subject: [PATCH 34/46] fix: filters after rename --- .../selling/report/territory_wise_sales/territory_wise_sales.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.js b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.js index ca78be45a6..bef800f104 100644 --- a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.js +++ b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.js @@ -3,7 +3,7 @@ /* eslint-disable */ -frappe.query_reports["Territory wise Sales"] = { +frappe.query_reports["Territory-wise Sales"] = { "breadcrumb":"Selling", "filters": [ { From 830b316543d3e71a316602b778dc857ef95364dd Mon Sep 17 00:00:00 2001 From: "Parth J. Kharwar" Date: Wed, 5 Feb 2020 15:01:13 +0530 Subject: [PATCH 35/46] fix: full day leaves not tagged as half day in attendance (#20487) * fix: full day leaves not tagged as half day in attendance * chore: code cleanup for half day date value set --- .../hr/doctype/leave_application/leave_application.js | 11 ++++++++--- 1 file changed, 8 insertions(+), 3 deletions(-) diff --git a/erpnext/hr/doctype/leave_application/leave_application.js b/erpnext/hr/doctype/leave_application/leave_application.js index 14ffa0ed1f..1f50e27098 100755 --- a/erpnext/hr/doctype/leave_application/leave_application.js +++ b/erpnext/hr/doctype/leave_application/leave_application.js @@ -104,11 +104,16 @@ frappe.ui.form.on("Leave Application", { }, half_day: function(frm) { - if (frm.doc.from_date == frm.doc.to_date) { - frm.set_value("half_day_date", frm.doc.from_date); + if (frm.doc.half_day) { + if (frm.doc.from_date == frm.doc.to_date) { + frm.set_value("half_day_date", frm.doc.from_date); + } + else { + frm.trigger("half_day_datepicker"); + } } else { - frm.trigger("half_day_datepicker"); + frm.set_value("half_day_date", ""); } frm.trigger("calculate_total_days"); }, From a4928f6f5b9845a3db92dd7db7081f30775845fd Mon Sep 17 00:00:00 2001 From: Deepesh Garg Date: Thu, 6 Feb 2020 12:50:25 +0530 Subject: [PATCH 36/46] fix: Add report link in module view and fix date filter --- erpnext/config/crm.py | 7 +++++++ .../report/territory_wise_sales/territory_wise_sales.py | 8 +++++--- 2 files changed, 12 insertions(+), 3 deletions(-) diff --git a/erpnext/config/crm.py b/erpnext/config/crm.py index cf1021948a..09c2a65633 100644 --- a/erpnext/config/crm.py +++ b/erpnext/config/crm.py @@ -117,6 +117,13 @@ def get_data(): "name": "Lead Owner Efficiency", "doctype": "Lead", "dependencies": ["Lead"] + }, + { + "type": "report", + "is_query_report": True, + "name": "Territory-wise Sales", + "doctype": "Opportunity", + "dependencies": ["Opportunity"] } ] }, diff --git a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py index 415d078b71..656ff33ab6 100644 --- a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py +++ b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py @@ -94,8 +94,10 @@ def get_data(filters=None): def get_opportunities(filters): conditions = "" - if filters.from_date and filters.to_date: - conditions = " WHERE transaction_date between %(from_date)s and %(to_date)s" + if filters.get('transaction_date'): + conditions = " WHERE transaction_date between {0} and {1}".format( + frappe.db.escape(filters['transaction_date'][0]), + frappe.db.escape(filters['transaction_date'][1])) if filters.company: if conditions: @@ -108,7 +110,7 @@ def get_opportunities(filters): return frappe.db.sql(""" SELECT name, territory, opportunity_amount FROM `tabOpportunity` {0} - """.format(conditions), filters, as_dict=1) #nosec + """.format(conditions), filters, as_dict=1, debug=1) #nosec def get_quotations(opportunities): if not opportunities: From da406d74ef8fd9024c5c76853d0b331de7801884 Mon Sep 17 00:00:00 2001 From: Deepesh Garg <42651287+deepeshgarg007@users.noreply.github.com> Date: Thu, 6 Feb 2020 12:55:21 +0530 Subject: [PATCH 37/46] fix: Remove debug param --- .../selling/report/territory_wise_sales/territory_wise_sales.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py index 656ff33ab6..f2db478686 100644 --- a/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py +++ b/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py @@ -110,7 +110,7 @@ def get_opportunities(filters): return frappe.db.sql(""" SELECT name, territory, opportunity_amount FROM `tabOpportunity` {0} - """.format(conditions), filters, as_dict=1, debug=1) #nosec + """.format(conditions), filters, as_dict=1) #nosec def get_quotations(opportunities): if not opportunities: From fcae88a514d444b4378f17a0618cd77baec15f3a Mon Sep 17 00:00:00 2001 From: thefalconx33 Date: Wed, 5 Feb 2020 16:40:58 +0530 Subject: [PATCH 38/46] fix: typo; serial no doesn't have amc start date --- .../doctype/maintenance_schedule/maintenance_schedule.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py b/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py index 94d85f77ef..c5bc92dcc1 100644 --- a/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +++ b/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py @@ -193,7 +193,7 @@ class MaintenanceSchedule(TransactionBase): if sr_details.amc_expiry_date and getdate(sr_details.amc_expiry_date) >= getdate(amc_start_date): throw(_("Serial No {0} is under maintenance contract upto {1}") - .format(serial_no, sr_details.amc_start_date)) + .format(serial_no, sr_details.amc_expiry_date)) if not sr_details.warehouse and sr_details.delivery_date and \ getdate(sr_details.delivery_date) >= getdate(amc_start_date): From 07f33128049d29e7a7d4e3846df87a272d25b7a3 Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Thu, 6 Feb 2020 14:34:11 +0530 Subject: [PATCH 39/46] fix: Procurement Tracker report not working --- .../report/procurement_tracker/procurement_tracker.py | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/erpnext/buying/report/procurement_tracker/procurement_tracker.py b/erpnext/buying/report/procurement_tracker/procurement_tracker.py index 48295bee26..866bf0c733 100644 --- a/erpnext/buying/report/procurement_tracker/procurement_tracker.py +++ b/erpnext/buying/report/procurement_tracker/procurement_tracker.py @@ -141,13 +141,13 @@ def get_conditions(filters): conditions = "" if filters.get("company"): - conditions += " AND company='%s'"% filters.get('company') + conditions += " AND company=%s"% frappe.db.escape(filters.get('company')) if filters.get("cost_center") or filters.get("project"): conditions += """ - AND (cost_center='%s' - OR project='%s') - """% (filters.get('cost_center'), filters.get('project')) + AND (cost_center=%s + OR project=%s) + """% (frappe.db.escape(filters.get('cost_center')), frappe.db.escape(filters.get('project'))) if filters.get("from_date"): conditions += " AND transaction_date>=%s"% filters.get('from_date') From d64f92cf9992b780c799cab906b7ce3a438e20a2 Mon Sep 17 00:00:00 2001 From: Rohan Bansal Date: Thu, 6 Feb 2020 17:08:26 +0530 Subject: [PATCH 40/46] fix: show WFH in monthly attendance sheet report --- .../monthly_attendance_sheet.py | 21 +++++++++++++------ 1 file changed, 15 insertions(+), 6 deletions(-) diff --git a/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py b/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py index 1e9c83bf3e..b55b45fcdf 100644 --- a/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +++ b/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py @@ -37,13 +37,22 @@ def execute(filters=None): total_p = total_a = total_l = 0.0 for day in range(filters["total_days_in_month"]): - status = att_map.get(emp).get(day + 1, "None") - status_map = {"Present": "P", "Absent": "A", "Half Day": "HD", "On Leave": "L", "None": "", "Holiday":"H"} - if status == "None" and holiday_map: + status = att_map.get(emp).get(day + 1) + status_map = { + "Absent": "A", + "Half Day": "HD", + "Holiday":"H", + "On Leave": "L", + "Present": "P", + "Work From Home": "WFH" + } + + if status is None and holiday_map: emp_holiday_list = emp_det.holiday_list if emp_det.holiday_list else default_holiday_list if emp_holiday_list in holiday_map and (day+1) in holiday_map[emp_holiday_list]: status = "Holiday" - row.append(status_map[status]) + + row.append(status_map.get(status, "")) if status == "Present": total_p += 1 @@ -66,7 +75,7 @@ def execute(filters=None): leave_details = frappe.db.sql("""select leave_type, status, count(*) as count from `tabAttendance`\ where leave_type is not NULL %s group by leave_type, status""" % conditions, filters, as_dict=1) - + time_default_counts = frappe.db.sql("""select (select count(*) from `tabAttendance` where \ late_entry = 1 %s) as late_entry_count, (select count(*) from tabAttendance where \ early_exit = 1 %s) as early_exit_count""" % (conditions, conditions), filters) @@ -85,7 +94,7 @@ def execute(filters=None): row.append(leaves[d]) else: row.append("0.0") - + row.extend([time_default_counts[0][0],time_default_counts[0][1]]) data.append(row) return columns, data From 075a3403d7f4e67c380bdc97b0ced1cecfd7c3fb Mon Sep 17 00:00:00 2001 From: Snyk bot Date: Fri, 7 Feb 2020 05:53:52 +0100 Subject: [PATCH 41/46] [Snyk] Fix for 1 vulnerabilities (#20484) The following vulnerabilities are fixed with an upgrade: - https://snyk.io/vuln/SNYK-JS-LODASH-450202 The following vulnerabilities are fixed with a Snyk patch: - https://snyk.io/vuln/SNYK-JS-LODASH-450202 Co-authored-by: Chinmay Pai --- .snyk | 8 + package.json | 10 +- yarn.lock | 2344 +++++++++++++++++++++++++++++++++++++++++++------- 3 files changed, 2069 insertions(+), 293 deletions(-) create mode 100644 .snyk diff --git a/.snyk b/.snyk new file mode 100644 index 0000000000..140f3edd84 --- /dev/null +++ b/.snyk @@ -0,0 +1,8 @@ +# Snyk (https://snyk.io) policy file, patches or ignores known vulnerabilities. +version: v1.14.0 +ignore: {} +# patches apply the minimum changes required to fix a vulnerability +patch: + SNYK-JS-LODASH-450202: + - cypress > getos > async > lodash: + patched: '2020-01-31T01:35:12.802Z' diff --git a/package.json b/package.json index 0e09cebf56..940fd64a36 100644 --- a/package.json +++ b/package.json @@ -1,5 +1,11 @@ { "dependencies": { - "cypress": "^3.1.4" - } + "cypress": "^3.4.1", + "snyk": "^1.288.0" + }, + "scripts": { + "snyk-protect": "snyk protect", + "prepare": "yarn run snyk-protect" + }, + "snyk": true } diff --git a/yarn.lock b/yarn.lock index 6f1ff10839..c5d04c1dbc 100644 --- a/yarn.lock +++ b/yarn.lock @@ -12,101 +12,220 @@ date-fns "^1.27.2" figures "^1.7.0" -"@cypress/xvfb@1.2.3": - version "1.2.3" - resolved "https://registry.yarnpkg.com/@cypress/xvfb/-/xvfb-1.2.3.tgz#6319afdcdcff7d1505daeeaa84484d0596189860" - integrity sha512-yYrK+/bgL3hwoRHMZG4r5fyLniCy1pXex5fimtewAY6vE/jsVs8Q37UsEO03tFlcmiLnQ3rBNMaZBYTi/+C1cw== +"@cypress/xvfb@1.2.4": + version "1.2.4" + resolved "https://registry.yarnpkg.com/@cypress/xvfb/-/xvfb-1.2.4.tgz#2daf42e8275b39f4aa53c14214e557bd14e7748a" + integrity sha512-skbBzPggOVYCbnGgV+0dmBdW/s77ZkAOXIC1knS8NagwDjBrNC1LuXtQJeiN6l+m7lzmHtaoUw/ctJKdqkG57Q== dependencies: debug "^3.1.0" lodash.once "^4.1.1" -"@types/blob-util@1.3.3": - version "1.3.3" - resolved "https://registry.yarnpkg.com/@types/blob-util/-/blob-util-1.3.3.tgz#adba644ae34f88e1dd9a5864c66ad651caaf628a" - integrity sha512-4ahcL/QDnpjWA2Qs16ZMQif7HjGP2cw3AGjHabybjw7Vm1EKu+cfQN1D78BaZbS1WJNa1opSMF5HNMztx7lR0w== - -"@types/bluebird@3.5.18": - version "3.5.18" - resolved "https://registry.yarnpkg.com/@types/bluebird/-/bluebird-3.5.18.tgz#6a60435d4663e290f3709898a4f75014f279c4d6" - integrity sha512-OTPWHmsyW18BhrnG5x8F7PzeZ2nFxmHGb42bZn79P9hl+GI5cMzyPgQTwNjbem0lJhoru/8vtjAFCUOu3+gE2w== - -"@types/chai-jquery@1.1.35": - version "1.1.35" - resolved "https://registry.yarnpkg.com/@types/chai-jquery/-/chai-jquery-1.1.35.tgz#9a8f0a39ec0851b2768a8f8c764158c2a2568d04" - integrity sha512-7aIt9QMRdxuagLLI48dPz96YJdhu64p6FCa6n4qkGN5DQLHnrIjZpD9bXCvV2G0NwgZ1FAmfP214dxc5zNCfgQ== +"@snyk/cli-interface@1.5.0": + version "1.5.0" + resolved "https://registry.yarnpkg.com/@snyk/cli-interface/-/cli-interface-1.5.0.tgz#b9dbe6ebfb86e67ffabf29d4e0d28a52670ac456" + integrity sha512-+Qo+IO3YOXWgazlo+CKxOuWFLQQdaNCJ9cSfhFQd687/FuesaIxWdInaAdfpsLScq0c6M1ieZslXgiZELSzxbg== dependencies: - "@types/chai" "*" - "@types/jquery" "*" + tslib "^1.9.3" -"@types/chai@*": - version "4.1.7" - resolved "https://registry.yarnpkg.com/@types/chai/-/chai-4.1.7.tgz#1b8e33b61a8c09cbe1f85133071baa0dbf9fa71a" - integrity sha512-2Y8uPt0/jwjhQ6EiluT0XCri1Dbplr0ZxfFXUz+ye13gaqE8u5gL5ppao1JrUYr9cIip5S6MvQzBS7Kke7U9VA== - -"@types/chai@4.0.8": - version "4.0.8" - resolved "https://registry.yarnpkg.com/@types/chai/-/chai-4.0.8.tgz#d27600e9ba2f371e08695d90a0fe0408d89c7be7" - integrity sha512-m812CONwdZn/dMzkIJEY0yAs4apyTkTORgfB2UsMOxgkUbC205AHnm4T8I0I5gPg9MHrFc1dJ35iS75c0CJkjg== - -"@types/jquery@*": - version "3.3.29" - resolved "https://registry.yarnpkg.com/@types/jquery/-/jquery-3.3.29.tgz#680a2219ce3c9250483722fccf5570d1e2d08abd" - integrity sha512-FhJvBninYD36v3k6c+bVk1DSZwh7B5Dpb/Pyk3HKVsiohn0nhbefZZ+3JXbWQhFyt0MxSl2jRDdGQPHeOHFXrQ== +"@snyk/cli-interface@2.2.0": + version "2.2.0" + resolved "https://registry.yarnpkg.com/@snyk/cli-interface/-/cli-interface-2.2.0.tgz#5536bc913917c623d16d727f9f3759521a916026" + integrity sha512-sA7V2JhgqJB9z5uYotgQc5iNDv//y+Mdm39rANxmFjtZMSYJZHkP80arzPjw1mB5ni/sWec7ieYUUFeySZBfVg== dependencies: - "@types/sizzle" "*" + tslib "^1.9.3" -"@types/jquery@3.3.6": - version "3.3.6" - resolved "https://registry.yarnpkg.com/@types/jquery/-/jquery-3.3.6.tgz#5932ead926307ca21e5b36808257f7c926b06565" - integrity sha512-403D4wN95Mtzt2EoQHARf5oe/jEPhzBOBNrunk+ydQGW8WmkQ/E8rViRAEB1qEt/vssfGfNVD6ujP4FVeegrLg== - -"@types/lodash@4.14.87": - version "4.14.87" - resolved "https://registry.yarnpkg.com/@types/lodash/-/lodash-4.14.87.tgz#55f92183b048c2c64402afe472f8333f4e319a6b" - integrity sha512-AqRC+aEF4N0LuNHtcjKtvF9OTfqZI0iaBoe3dA6m/W+/YZJBZjBmW/QIZ8fBeXC6cnytSY9tBoFBqZ9uSCeVsw== - -"@types/minimatch@3.0.3": - version "3.0.3" - resolved "https://registry.yarnpkg.com/@types/minimatch/-/minimatch-3.0.3.tgz#3dca0e3f33b200fc7d1139c0cd96c1268cadfd9d" - integrity sha512-tHq6qdbT9U1IRSGf14CL0pUlULksvY9OZ+5eEgl1N7t+OA3tGvNpxJCzuKQlsNgCVwbAs670L1vcVQi8j9HjnA== - -"@types/mocha@2.2.44": - version "2.2.44" - resolved "https://registry.yarnpkg.com/@types/mocha/-/mocha-2.2.44.tgz#1d4a798e53f35212fd5ad4d04050620171cd5b5e" - integrity sha512-k2tWTQU8G4+iSMvqKi0Q9IIsWAp/n8xzdZS4Q4YVIltApoMA00wFBFdlJnmoaK1/z7B0Cy0yPe6GgXteSmdUNw== - -"@types/sinon-chai@2.7.29": - version "2.7.29" - resolved "https://registry.yarnpkg.com/@types/sinon-chai/-/sinon-chai-2.7.29.tgz#4db01497e2dd1908b2bd30d1782f456353f5f723" - integrity sha512-EkI/ZvJT4hglWo7Ipf9SX+J+R9htNOMjW8xiOhce7+0csqvgoF5IXqY5Ae1GqRgNtWCuaywR5HjVa1snkTqpOw== +"@snyk/cli-interface@2.3.0": + version "2.3.0" + resolved "https://registry.yarnpkg.com/@snyk/cli-interface/-/cli-interface-2.3.0.tgz#9d38f815a5cf2be266006954c2a058463d531e08" + integrity sha512-ecbylK5Ol2ySb/WbfPj0s0GuLQR+KWKFzUgVaoNHaSoN6371qRWwf2uVr+hPUP4gXqCai21Ug/RDArfOhlPwrQ== dependencies: - "@types/chai" "*" - "@types/sinon" "*" + tslib "^1.9.3" -"@types/sinon@*": - version "7.0.2" - resolved "https://registry.yarnpkg.com/@types/sinon/-/sinon-7.0.2.tgz#234c03dd39bfa97616b28215caea3de043c63310" - integrity sha512-YvJOqPk4kh1eQyxuASDD4MDK27XWAhtw6hJ7rRayEOkkTpZkqDWpDb4OjLVzFGdapOuUgZdnqO+71Q3utCJtcA== +"@snyk/cli-interface@^2.0.3": + version "2.3.1" + resolved "https://registry.yarnpkg.com/@snyk/cli-interface/-/cli-interface-2.3.1.tgz#73f2f4bd717b9f03f096ede3ff5830eb8d2f3716" + integrity sha512-JZvsmhDXSyjv1dkc12lPI3tNTNYlIaOiIQMYFg2RgqF3QmWjTyBUgRZcF7LoKyufHtS4dIudM6k1aHBpSaDrhw== + dependencies: + tslib "^1.9.3" -"@types/sinon@7.0.0": - version "7.0.0" - resolved "https://registry.yarnpkg.com/@types/sinon/-/sinon-7.0.0.tgz#84e707e157ec17d3e4c2a137f41fc3f416c0551e" - integrity sha512-kcYoPw0uKioFVC/oOqafk2yizSceIQXCYnkYts9vJIwQklFRsMubTObTDrjQamUyBRd47332s85074cd/hCwxg== +"@snyk/cocoapods-lockfile-parser@3.0.0": + version "3.0.0" + resolved "https://registry.yarnpkg.com/@snyk/cocoapods-lockfile-parser/-/cocoapods-lockfile-parser-3.0.0.tgz#514b744cedd9d3d3efb2a5d06fce1662fec2ff1a" + integrity sha512-AebCc+v9vtOL9tFkU4/tommgVsXxqdx6t45kCkBW+FC4PaYvfYEg9Eg/9GqlY9+nFrLFo/uTr+E/aR0AF/KqYA== + dependencies: + "@snyk/dep-graph" "^1.11.0" + "@snyk/ruby-semver" "^2.0.4" + "@types/js-yaml" "^3.12.1" + core-js "^3.2.0" + js-yaml "^3.13.1" + source-map-support "^0.5.7" + tslib "^1.9.3" -"@types/sizzle@*": +"@snyk/composer-lockfile-parser@1.2.0": + version "1.2.0" + resolved "https://registry.yarnpkg.com/@snyk/composer-lockfile-parser/-/composer-lockfile-parser-1.2.0.tgz#62c6d88c6a39c55dda591854f5380923a993182f" + integrity sha512-kZT+HTqgNcQMeoE5NM9M3jj463M8zI7ZxqZXLw9WoyVs5JTt9g0qFWxIG1cNwZdGVI+y7tzZbNWw9BlMD1vCCQ== + dependencies: + lodash "^4.17.13" + +"@snyk/dep-graph@1.13.1": + version "1.13.1" + resolved "https://registry.yarnpkg.com/@snyk/dep-graph/-/dep-graph-1.13.1.tgz#45721f7e21136b62d1cdd99b3319e717d9071dfb" + integrity sha512-Ww2xvm5UQgrq9eV0SdTBCh+w/4oI2rCx5vn1IOSeypaR0CO4p+do1vm3IDZ2ugg4jLSfHP8+LiD6ORESZMkQ2w== + dependencies: + graphlib "^2.1.5" + lodash "^4.7.14" + object-hash "^1.3.1" + semver "^6.0.0" + source-map-support "^0.5.11" + tslib "^1.9.3" + +"@snyk/dep-graph@^1.11.0", "@snyk/dep-graph@^1.13.1": + version "1.15.0" + resolved "https://registry.yarnpkg.com/@snyk/dep-graph/-/dep-graph-1.15.0.tgz#67bf790bc9f0eee36ad7dad053465cdd928ce223" + integrity sha512-GdF/dvqfKRVHqQio/tSkR4GRpAqIglLPEDZ+XlV7jT5btq9+Fxq2h25Lmm/a7sw+ODTOOqNhTF9y8ASc9VIhww== + dependencies: + graphlib "^2.1.5" + lodash "^4.7.14" + object-hash "^1.3.1" + semver "^6.0.0" + source-map-support "^0.5.11" + tslib "^1.10.0" + +"@snyk/gemfile@1.2.0": + version "1.2.0" + resolved "https://registry.yarnpkg.com/@snyk/gemfile/-/gemfile-1.2.0.tgz#919857944973cce74c650e5428aaf11bcd5c0457" + integrity sha512-nI7ELxukf7pT4/VraL4iabtNNMz8mUo7EXlqCFld8O5z6mIMLX9llps24iPpaIZOwArkY3FWA+4t+ixyvtTSIA== + +"@snyk/ruby-semver@^2.0.4": + version "2.0.4" + resolved "https://registry.yarnpkg.com/@snyk/ruby-semver/-/ruby-semver-2.0.4.tgz#457686ea7a4d60b10efddde99587efb3a53ba884" + integrity sha512-ceMD4CBS3qtAg+O0BUvkKdsheUNCqi+/+Rju243Ul8PsUgZnXmGiqfk/2z7DCprRQnxUTra4+IyeDQT7wAheCQ== + dependencies: + lodash "^4.17.14" + +"@snyk/snyk-cocoapods-plugin@2.0.1": + version "2.0.1" + resolved "https://registry.yarnpkg.com/@snyk/snyk-cocoapods-plugin/-/snyk-cocoapods-plugin-2.0.1.tgz#be8660c854d551a56baa9d072bb4ae7f188cc1cd" + integrity sha512-XVkvaMvMzQ3miJi/YZmsRJSAUfDloYhfg6pXPgzAeAugB4p+cNi01Z68pT62ypB8U/Ugh1Xx2pb9aoOFqBbSjA== + dependencies: + "@snyk/cli-interface" "1.5.0" + "@snyk/cocoapods-lockfile-parser" "3.0.0" + "@snyk/dep-graph" "^1.13.1" + source-map-support "^0.5.7" + tslib "^1.9.3" + +"@types/agent-base@^4.2.0": + version "4.2.0" + resolved "https://registry.yarnpkg.com/@types/agent-base/-/agent-base-4.2.0.tgz#00644e8b395b40e1bf50aaf1d22cabc1200d5051" + integrity sha512-8mrhPstU+ZX0Ugya8tl5DsDZ1I5ZwQzbL/8PA0z8Gj0k9nql7nkaMzmPVLj+l/nixWaliXi+EBiLA8bptw3z7Q== + dependencies: + "@types/events" "*" + "@types/node" "*" + +"@types/bunyan@*": + version "1.8.6" + resolved "https://registry.yarnpkg.com/@types/bunyan/-/bunyan-1.8.6.tgz#6527641cca30bedec5feb9ab527b7803b8000582" + integrity sha512-YiozPOOsS6bIuz31ilYqR5SlLif4TBWsousN2aCWLi5233nZSX19tFbcQUPdR7xJ8ypPyxkCGNxg0CIV5n9qxQ== + dependencies: + "@types/node" "*" + +"@types/debug@^4.1.4": + version "4.1.5" + resolved "https://registry.yarnpkg.com/@types/debug/-/debug-4.1.5.tgz#b14efa8852b7768d898906613c23f688713e02cd" + integrity sha512-Q1y515GcOdTHgagaVFhHnIFQ38ygs/kmxdNpvpou+raI9UO3YZcHDngBSYKQklcKlvA7iuQlmIKbzvmxcOE9CQ== + +"@types/events@*": + version "3.0.0" + resolved "https://registry.yarnpkg.com/@types/events/-/events-3.0.0.tgz#2862f3f58a9a7f7c3e78d79f130dd4d71c25c2a7" + integrity sha512-EaObqwIvayI5a8dCzhFrjKzVwKLxjoG9T6Ppd5CEo07LRKfQ8Yokw54r5+Wq7FaBQ+yXRvQAYPrHwya1/UFt9g== + +"@types/js-yaml@^3.12.1": + version "3.12.2" + resolved "https://registry.yarnpkg.com/@types/js-yaml/-/js-yaml-3.12.2.tgz#a35a1809c33a68200fb6403d1ad708363c56470a" + integrity sha512-0CFu/g4mDSNkodVwWijdlr8jH7RoplRWNgovjFLEZeT+QEbbZXjBmCe3HwaWheAlCbHwomTwzZoSedeOycABug== + +"@types/node@*": + version "13.5.3" + resolved "https://registry.yarnpkg.com/@types/node/-/node-13.5.3.tgz#37f1f539b7535b9fb4ef77d59db1847a837b7f17" + integrity sha512-ZPnWX9PW992w6DUsz3JIXHaSb5v7qmKCVzC3km6SxcDGxk7zmLfYaCJTbktIa5NeywJkkZDhGldKqDIvC5DRrA== + +"@types/node@^6.14.4": + version "6.14.9" + resolved "https://registry.yarnpkg.com/@types/node/-/node-6.14.9.tgz#733583e21ef0eab85a9737dfafbaa66345a92ef0" + integrity sha512-leP/gxHunuazPdZaCvsCefPQxinqUDsCxCR5xaDUrY2MkYxQRFZZwU5e7GojyYsGB7QVtCi7iVEl/hoFXQYc+w== + +"@types/restify@^4.3.6": + version "4.3.6" + resolved "https://registry.yarnpkg.com/@types/restify/-/restify-4.3.6.tgz#5da5889b65c34c33937a67686bab591325dde806" + integrity sha512-4l4f0EXnleXQttlhRCXtTuJ8UelsKiAKIK2AAEd2epBHu41aEbM0U2z6E5tUrNwlbxz7qaNBISduGMeg+G3PaA== + dependencies: + "@types/bunyan" "*" + "@types/node" "*" + +"@types/semver@^5.5.0": + version "5.5.0" + resolved "https://registry.yarnpkg.com/@types/semver/-/semver-5.5.0.tgz#146c2a29ee7d3bae4bf2fcb274636e264c813c45" + integrity sha512-41qEJgBH/TWgo5NFSvBCJ1qkoi3Q6ONSF2avrHq1LVEZfYpdHmj0y9SuTK+u9ZhG1sYQKBL1AWXKyLWP4RaUoQ== + +"@types/sizzle@2.3.2": version "2.3.2" resolved "https://registry.yarnpkg.com/@types/sizzle/-/sizzle-2.3.2.tgz#a811b8c18e2babab7d542b3365887ae2e4d9de47" integrity sha512-7EJYyKTL7tFR8+gDbB6Wwz/arpGa0Mywk1TJbNzKzHtzbwVmY4HR9WqS5VV7dsBUKQmPNr192jHr/VpBluj/hg== -ajv@^5.1.0: - version "5.5.2" - resolved "https://registry.yarnpkg.com/ajv/-/ajv-5.5.2.tgz#73b5eeca3fab653e3d3f9422b341ad42205dc965" - integrity sha1-c7Xuyj+rZT49P5Qis0GtQiBdyWU= +"@types/xml2js@0.4.3": + version "0.4.3" + resolved "https://registry.yarnpkg.com/@types/xml2js/-/xml2js-0.4.3.tgz#2f41bfc74d5a4022511721f872ed395a210ad3b7" + integrity sha512-Pv2HGRE4gWLs31In7nsyXEH4uVVsd0HNV9i2dyASvtDIlOtSTr1eczPLDpdEuyv5LWH5LT20GIXwPjkshKWI1g== dependencies: - co "^4.6.0" - fast-deep-equal "^1.0.0" + "@types/events" "*" + "@types/node" "*" + +"@yarnpkg/lockfile@^1.0.2": + version "1.1.0" + resolved "https://registry.yarnpkg.com/@yarnpkg/lockfile/-/lockfile-1.1.0.tgz#e77a97fbd345b76d83245edcd17d393b1b41fb31" + integrity sha512-GpSwvyXOcOOlV70vbnzjj4fW5xW/FdUF6nQEt1ENy7m4ZCczi1+/buVUPAqmGfqznsORNFzUMjctTIp8a9tuCQ== + +abbrev@^1.1.1: + version "1.1.1" + resolved "https://registry.yarnpkg.com/abbrev/-/abbrev-1.1.1.tgz#f8f2c887ad10bf67f634f005b6987fed3179aac8" + integrity sha512-nne9/IiQ/hzIhY6pdDnbBtz7DjPTKrY00P/zvPSm5pOFkl6xuGrGnXn/VtTNNfNtAfZ9/1RtehkszU9qcTii0Q== + +agent-base@4, agent-base@^4.2.0, agent-base@^4.3.0: + version "4.3.0" + resolved "https://registry.yarnpkg.com/agent-base/-/agent-base-4.3.0.tgz#8165f01c436009bccad0b1d122f05ed770efc6ee" + integrity sha512-salcGninV0nPrwpGNn4VTXBb1SOuXQBiqbrNXoeizJsHrsL6ERFM2Ne3JUSBWRE6aeNJI2ROP/WEEIDUiDe3cg== + dependencies: + es6-promisify "^5.0.0" + +agent-base@~4.2.1: + version "4.2.1" + resolved "https://registry.yarnpkg.com/agent-base/-/agent-base-4.2.1.tgz#d89e5999f797875674c07d87f260fc41e83e8ca9" + integrity sha512-JVwXMr9nHYTUXsBFKUqhJwvlcYU/blreOEUkhNR2eXZIvwd+c+o5V4MgDPKWnMS/56awN3TRzIP+KoPn+roQtg== + dependencies: + es6-promisify "^5.0.0" + +ajv@^6.5.5: + version "6.11.0" + resolved "https://registry.yarnpkg.com/ajv/-/ajv-6.11.0.tgz#c3607cbc8ae392d8a5a536f25b21f8e5f3f87fe9" + integrity sha512-nCprB/0syFYy9fVYU1ox1l2KN8S9I+tziH8D4zdZuLT3N6RMlGSGt5FSTpAiHB/Whv8Qs1cWHma1aMKZyaHRKA== + dependencies: + fast-deep-equal "^3.1.1" fast-json-stable-stringify "^2.0.0" - json-schema-traverse "^0.3.0" + json-schema-traverse "^0.4.1" + uri-js "^4.2.2" + +ansi-align@^2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/ansi-align/-/ansi-align-2.0.0.tgz#c36aeccba563b89ceb556f3690f0b1d9e3547f7f" + integrity sha1-w2rsy6VjuJzrVW82kPCx2eNUf38= + dependencies: + string-width "^2.0.0" + +ansi-escapes@3.2.0, ansi-escapes@^3.2.0: + version "3.2.0" + resolved "https://registry.yarnpkg.com/ansi-escapes/-/ansi-escapes-3.2.0.tgz#8780b98ff9dbf5638152d1f1fe5c1d7b4442976b" + integrity sha512-cBhpre4ma+U0T1oM5fXg7Dy1Jw7zzwv7lt/GoCpr+hDQJoYnKVPLL4dCvSEFMmQurOQvSrwT7SL/DAlhBI97RQ== ansi-escapes@^1.0.0: version "1.4.0" @@ -118,18 +237,55 @@ ansi-regex@^2.0.0: resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-2.1.1.tgz#c3b33ab5ee360d86e0e628f0468ae7ef27d654df" integrity sha1-w7M6te42DYbg5ijwRorn7yfWVN8= +ansi-regex@^3.0.0: + version "3.0.0" + resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-3.0.0.tgz#ed0317c322064f79466c02966bddb605ab37d998" + integrity sha1-7QMXwyIGT3lGbAKWa922Bas32Zg= + +ansi-regex@^4.1.0: + version "4.1.0" + resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-4.1.0.tgz#8b9f8f08cf1acb843756a839ca8c7e3168c51997" + integrity sha512-1apePfXM1UOSqw0o9IiFAovVz9M5S1Dg+4TrDwfMewQ6p/rmMueb7tWZjQ1rx4Loy1ArBggoqGpfqqdI4rondg== + ansi-styles@^2.2.1: version "2.2.1" resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-2.2.1.tgz#b432dd3358b634cf75e1e4664368240533c1ddbe" integrity sha1-tDLdM1i2NM914eRmQ2gkBTPB3b4= -ansi-styles@^3.2.1: +ansi-styles@^3.2.0, ansi-styles@^3.2.1: version "3.2.1" resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-3.2.1.tgz#41fbb20243e50b12be0f04b8dedbf07520ce841d" integrity sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA== dependencies: color-convert "^1.9.0" +ansicolors@^0.3.2: + version "0.3.2" + resolved "https://registry.yarnpkg.com/ansicolors/-/ansicolors-0.3.2.tgz#665597de86a9ffe3aa9bfbe6cae5c6ea426b4979" + integrity sha1-ZlWX3oap/+Oqm/vmyuXG6kJrSXk= + +arch@2.1.1: + version "2.1.1" + resolved "https://registry.yarnpkg.com/arch/-/arch-2.1.1.tgz#8f5c2731aa35a30929221bb0640eed65175ec84e" + integrity sha512-BLM56aPo9vLLFVa8+/+pJLnrZ7QGGTVHWsCwieAWT9o9K8UeGaQbzZbGoabWLOo2ksBCztoXdqBZBplqLDDCSg== + +archy@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/archy/-/archy-1.0.0.tgz#f9c8c13757cc1dd7bc379ac77b2c62a5c2868c40" + integrity sha1-+cjBN1fMHde8N5rHeyxipcKGjEA= + +argparse@^1.0.7: + version "1.0.10" + resolved "https://registry.yarnpkg.com/argparse/-/argparse-1.0.10.tgz#bcd6791ea5ae09725e17e5ad988134cd40b3d911" + integrity sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg== + dependencies: + sprintf-js "~1.0.2" + +asap@~2.0.3: + version "2.0.6" + resolved "https://registry.yarnpkg.com/asap/-/asap-2.0.6.tgz#e50347611d7e690943208bbdafebcbc2fb866d46" + integrity sha1-5QNHYR1+aQlDIIu9r+vLwvuGbUY= + asn1@~0.2.3: version "0.2.4" resolved "https://registry.yarnpkg.com/asn1/-/asn1-0.2.4.tgz#8d2475dfab553bb33e77b54e59e880bb8ce23136" @@ -142,12 +298,22 @@ assert-plus@1.0.0, assert-plus@^1.0.0: resolved "https://registry.yarnpkg.com/assert-plus/-/assert-plus-1.0.0.tgz#f12e0f3c5d77b0b1cdd9146942e4e96c1e4dd525" integrity sha1-8S4PPF13sLHN2RRpQuTpbB5N1SU= -async@2.4.0: - version "2.4.0" - resolved "https://registry.yarnpkg.com/async/-/async-2.4.0.tgz#4990200f18ea5b837c2cc4f8c031a6985c385611" - integrity sha1-SZAgDxjqW4N8LMT4wDGmmFw4VhE= +ast-types@0.x.x: + version "0.13.2" + resolved "https://registry.yarnpkg.com/ast-types/-/ast-types-0.13.2.tgz#df39b677a911a83f3a049644fb74fdded23cea48" + integrity sha512-uWMHxJxtfj/1oZClOxDEV1sQ1HCDkA4MG8Gr69KKeBjEVH0R84WlejZ0y2DcwyBlpAEMltmVYkVgqfLFb2oyiA== + +async@2.6.1: + version "2.6.1" + resolved "https://registry.yarnpkg.com/async/-/async-2.6.1.tgz#b245a23ca71930044ec53fa46aa00a3e87c6a610" + integrity sha512-fNEiL2+AZt6AlAw/29Cr0UDe4sRAHCpEHh54WMz+Bb7QfNcFw4h3loofyJpLeQs4Yx7yuqu/2dLgM5hKOs6HlQ== dependencies: - lodash "^4.14.0" + lodash "^4.17.10" + +async@^1.4.0: + version "1.5.2" + resolved "https://registry.yarnpkg.com/async/-/async-1.5.2.tgz#ec6a61ae56480c0c3cb241c95618e20892f9672a" + integrity sha1-7GphrlZIDAw8skHJVhjiCJL5Zyo= asynckit@^0.4.0: version "0.4.0" @@ -159,18 +325,10 @@ aws-sign2@~0.7.0: resolved "https://registry.yarnpkg.com/aws-sign2/-/aws-sign2-0.7.0.tgz#b46e890934a9591f2d2f6f86d7e6a9f1b3fe76a8" integrity sha1-tG6JCTSpWR8tL2+G1+ap8bP+dqg= -aws4@^1.6.0: - version "1.8.0" - resolved "https://registry.yarnpkg.com/aws4/-/aws4-1.8.0.tgz#f0e003d9ca9e7f59c7a508945d7b2ef9a04a542f" - integrity sha512-ReZxvNHIOv88FlT7rxcXIIC0fPt4KZqZbOlivyWtXLt8ESx84zd3kMC6iK5jVeS2qt+g7ftS7ye4fi06X5rtRQ== - -babel-runtime@^6.18.0: - version "6.26.0" - resolved "https://registry.yarnpkg.com/babel-runtime/-/babel-runtime-6.26.0.tgz#965c7058668e82b55d7bfe04ff2337bc8b5647fe" - integrity sha1-llxwWGaOgrVde/4E/yM3vItWR/4= - dependencies: - core-js "^2.4.0" - regenerator-runtime "^0.11.0" +aws4@^1.8.0: + version "1.9.1" + resolved "https://registry.yarnpkg.com/aws4/-/aws4-1.9.1.tgz#7e33d8f7d449b3f673cd72deb9abdc552dbe528e" + integrity sha512-wMHVg2EOHaMRxbzgFJ9gtjOOCrI80OHLG14rxi28XwOW8ux6IiEbRCGGGqCtdAIg4FQCbW20k9RsT4y3gJlFug== balanced-match@^1.0.0: version "1.0.0" @@ -184,11 +342,31 @@ bcrypt-pbkdf@^1.0.0: dependencies: tweetnacl "^0.14.3" +bl@^3.0.0: + version "3.0.0" + resolved "https://registry.yarnpkg.com/bl/-/bl-3.0.0.tgz#3611ec00579fd18561754360b21e9f784500ff88" + integrity sha512-EUAyP5UHU5hxF8BPT0LKW8gjYLhq1DQIcneOX/pL/m2Alo+OYDQAJlHq+yseMP50Os2nHXOSic6Ss3vSQeyf4A== + dependencies: + readable-stream "^3.0.1" + bluebird@3.5.0: version "3.5.0" resolved "https://registry.yarnpkg.com/bluebird/-/bluebird-3.5.0.tgz#791420d7f551eea2897453a8a77653f96606d67c" integrity sha1-eRQg1/VR7qKJdFOop3ZT+WYG1nw= +boxen@^1.2.1: + version "1.3.0" + resolved "https://registry.yarnpkg.com/boxen/-/boxen-1.3.0.tgz#55c6c39a8ba58d9c61ad22cd877532deb665a20b" + integrity sha512-TNPjfTr432qx7yOjQyaXm3dSR0MH9vXp7eT1BFSl/C51g+EFnOR9hTg1IreahGBmDNCehscshe45f+C1TBZbLw== + dependencies: + ansi-align "^2.0.0" + camelcase "^4.0.0" + chalk "^2.0.1" + cli-boxes "^1.0.0" + string-width "^2.0.0" + term-size "^1.2.0" + widest-line "^2.0.0" + brace-expansion@^1.1.7: version "1.1.11" resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.11.tgz#3c7fcbf529d87226f3d2f52b966ff5271eb441dd" @@ -202,6 +380,16 @@ buffer-crc32@~0.2.3: resolved "https://registry.yarnpkg.com/buffer-crc32/-/buffer-crc32-0.2.13.tgz#0d333e3f00eac50aa1454abd30ef8c2a5d9a7242" integrity sha1-DTM+PwDqxQqhRUq9MO+MKl2ackI= +buffer-from@^1.0.0: + version "1.1.1" + resolved "https://registry.yarnpkg.com/buffer-from/-/buffer-from-1.1.1.tgz#32713bc028f75c02fdb710d7c7bcec1f2c6070ef" + integrity sha512-MQcXEUbCKtEo7bhqEs6560Hyd4XaovZlO/k9V3hjVUF/zwW7KBVdSK4gIt/bzwS9MbR5qob+F5jusZsb0YQK2A== + +bytes@3.1.0: + version "3.1.0" + resolved "https://registry.yarnpkg.com/bytes/-/bytes-3.1.0.tgz#f6cf7933a360e0588fa9fde85651cdc7f805d1f6" + integrity sha512-zauLjrfCG+xvoyaqLoV8bLVXXNGC4JqlxFCutSDWA6fJrTo2ZuvLYTqZ7aHBLZSMOopbzwv8f+wZcVzfVTI2Dg== + cachedir@1.3.0: version "1.3.0" resolved "https://registry.yarnpkg.com/cachedir/-/cachedir-1.3.0.tgz#5e01928bf2d95b5edd94b0942188246740e0dbc4" @@ -209,15 +397,30 @@ cachedir@1.3.0: dependencies: os-homedir "^1.0.1" +camelcase@^2.0.1: + version "2.1.1" + resolved "https://registry.yarnpkg.com/camelcase/-/camelcase-2.1.1.tgz#7c1d16d679a1bbe59ca02cacecfb011e201f5a1f" + integrity sha1-fB0W1nmhu+WcoCys7PsBHiAfWh8= + +camelcase@^4.0.0: + version "4.1.0" + resolved "https://registry.yarnpkg.com/camelcase/-/camelcase-4.1.0.tgz#d545635be1e33c542649c69173e5de6acfae34dd" + integrity sha1-1UVjW+HjPFQmScaRc+Xeas+uNN0= + +capture-stack-trace@^1.0.0: + version "1.0.1" + resolved "https://registry.yarnpkg.com/capture-stack-trace/-/capture-stack-trace-1.0.1.tgz#a6c0bbe1f38f3aa0b92238ecb6ff42c344d4135d" + integrity sha512-mYQLZnx5Qt1JgB1WEiMCf2647plpGeQ2NMR/5L0HNZzGQo4fuSPnK+wjfPnKZV0aiJDgzmWqqkV/g7JD+DW0qw== + caseless@~0.12.0: version "0.12.0" resolved "https://registry.yarnpkg.com/caseless/-/caseless-0.12.0.tgz#1b681c21ff84033c826543090689420d187151dc" integrity sha1-G2gcIf+EAzyCZUMJBolCDRhxUdw= -chalk@2.4.1, chalk@^2.0.1: - version "2.4.1" - resolved "https://registry.yarnpkg.com/chalk/-/chalk-2.4.1.tgz#18c49ab16a037b6eb0152cc83e3471338215b66e" - integrity sha512-ObN6h1v2fTJSmUXoS3nMQ92LbDK9be4TV+6G+omQlGJFdcUX5heKi1LZ1YnRMIgwTLEj3E24bT6tYni50rlCfQ== +chalk@2.4.2, chalk@^2.4.2: + version "2.4.2" + resolved "https://registry.yarnpkg.com/chalk/-/chalk-2.4.2.tgz#cd42541677a54333cf541a49108c1432b44c9424" + integrity sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ== dependencies: ansi-styles "^3.2.1" escape-string-regexp "^1.0.5" @@ -234,16 +437,35 @@ chalk@^1.0.0, chalk@^1.1.1, chalk@^1.1.3: strip-ansi "^3.0.0" supports-color "^2.0.0" +chalk@^2.0.1: + version "2.4.1" + resolved "https://registry.yarnpkg.com/chalk/-/chalk-2.4.1.tgz#18c49ab16a037b6eb0152cc83e3471338215b66e" + integrity sha512-ObN6h1v2fTJSmUXoS3nMQ92LbDK9be4TV+6G+omQlGJFdcUX5heKi1LZ1YnRMIgwTLEj3E24bT6tYni50rlCfQ== + dependencies: + ansi-styles "^3.2.1" + escape-string-regexp "^1.0.5" + supports-color "^5.3.0" + +chardet@^0.7.0: + version "0.7.0" + resolved "https://registry.yarnpkg.com/chardet/-/chardet-0.7.0.tgz#90094849f0937f2eedc2425d0d28a9e5f0cbad9e" + integrity sha512-mT8iDcrh03qDGRRmoA2hmBJnxpllMR+0/0qlzjqZES6NdiWDcZkCNAk4rPFZ9Q85r27unkiNNg8ZOiwZXBHwcA== + check-more-types@2.24.0: version "2.24.0" resolved "https://registry.yarnpkg.com/check-more-types/-/check-more-types-2.24.0.tgz#1420ffb10fd444dcfc79b43891bbfffd32a84600" integrity sha1-FCD/sQ/URNz8ebQ4kbv//TKoRgA= -ci-info@^1.0.0: +ci-info@^1.5.0: version "1.6.0" resolved "https://registry.yarnpkg.com/ci-info/-/ci-info-1.6.0.tgz#2ca20dbb9ceb32d4524a683303313f0304b1e497" integrity sha512-vsGdkwSCDpWmP80ncATX7iea5DWQemg1UgCW5J8tqjU3lYw4FBYuj89J0CTVomA7BEfvSZd84GmHko+MxFQU2A== +cli-boxes@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/cli-boxes/-/cli-boxes-1.0.0.tgz#4fa917c3e59c94a004cd61f8ee509da651687143" + integrity sha1-T6kXw+WclKAEzWH47lCdplFocUM= + cli-cursor@^1.0.2: version "1.0.2" resolved "https://registry.yarnpkg.com/cli-cursor/-/cli-cursor-1.0.2.tgz#64da3f7d56a54412e59794bd62dc35295e8f2987" @@ -251,6 +473,18 @@ cli-cursor@^1.0.2: dependencies: restore-cursor "^1.0.1" +cli-cursor@^2.1.0: + version "2.1.0" + resolved "https://registry.yarnpkg.com/cli-cursor/-/cli-cursor-2.1.0.tgz#b35dac376479facc3e94747d41d0d0f5238ffcb5" + integrity sha1-s12sN2R5+sw+lHR9QdDQ9SOP/LU= + dependencies: + restore-cursor "^2.0.0" + +cli-spinner@0.2.10: + version "0.2.10" + resolved "https://registry.yarnpkg.com/cli-spinner/-/cli-spinner-0.2.10.tgz#f7d617a36f5c47a7bc6353c697fc9338ff782a47" + integrity sha512-U0sSQ+JJvSLi1pAYuJykwiA8Dsr15uHEy85iCJ6A+0DjVxivr3d+N2Wjvodeg89uP5K6TswFkKBfAD7B3YSn/Q== + cli-spinners@^0.1.2: version "0.1.2" resolved "https://registry.yarnpkg.com/cli-spinners/-/cli-spinners-0.1.2.tgz#bb764d88e185fb9e1e6a2a1f19772318f605e31c" @@ -264,6 +498,20 @@ cli-truncate@^0.2.1: slice-ansi "0.0.4" string-width "^1.0.1" +cli-width@^2.0.0: + version "2.2.0" + resolved "https://registry.yarnpkg.com/cli-width/-/cli-width-2.2.0.tgz#ff19ede8a9a5e579324147b0c11f0fbcbabed639" + integrity sha1-/xnt6Kml5XkyQUewwR8PvLq+1jk= + +cliui@^3.0.3: + version "3.2.0" + resolved "https://registry.yarnpkg.com/cliui/-/cliui-3.2.0.tgz#120601537a916d29940f934da3b48d585a39213d" + integrity sha1-EgYBU3qRbSmUD5NNo7SNWFo5IT0= + dependencies: + string-width "^1.0.1" + strip-ansi "^3.0.1" + wrap-ansi "^2.0.0" + co@^4.6.0: version "4.6.0" resolved "https://registry.yarnpkg.com/co/-/co-4.6.0.tgz#6ea6bdf3d853ae54ccb8e47bfa0bf3f9031fb184" @@ -286,49 +534,83 @@ color-name@1.1.3: resolved "https://registry.yarnpkg.com/color-name/-/color-name-1.1.3.tgz#a7d0558bd89c42f795dd42328f740831ca53bc25" integrity sha1-p9BVi9icQveV3UIyj3QIMcpTvCU= -combined-stream@^1.0.6, combined-stream@~1.0.5: +combined-stream@^1.0.6: version "1.0.7" resolved "https://registry.yarnpkg.com/combined-stream/-/combined-stream-1.0.7.tgz#2d1d24317afb8abe95d6d2c0b07b57813539d828" integrity sha512-brWl9y6vOB1xYPZcpZde3N9zDByXTosAeMDo4p1wzo6UMOX4vumB+TP1RZ76sfE6Md68Q0NJSrE/gbezd4Ul+w== dependencies: delayed-stream "~1.0.0" -commander@2.11.0: - version "2.11.0" - resolved "https://registry.yarnpkg.com/commander/-/commander-2.11.0.tgz#157152fd1e7a6c8d98a5b715cf376df928004563" - integrity sha512-b0553uYA5YAEGgyYIGYROzKQ7X5RAqedkfjiZxwi0kL1g3bOaBNNZfYkzt/CL0umgD5wc9Jec2FbB98CjkMRvQ== - -common-tags@1.4.0: - version "1.4.0" - resolved "https://registry.yarnpkg.com/common-tags/-/common-tags-1.4.0.tgz#1187be4f3d4cf0c0427d43f74eef1f73501614c0" - integrity sha1-EYe+Tz1M8MBCfUP3Tu8fc1AWFMA= +combined-stream@~1.0.6: + version "1.0.8" + resolved "https://registry.yarnpkg.com/combined-stream/-/combined-stream-1.0.8.tgz#c3d45a8b34fd730631a110a8a2520682b31d5a7f" + integrity sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg== dependencies: - babel-runtime "^6.18.0" + delayed-stream "~1.0.0" + +commander@2.15.1: + version "2.15.1" + resolved "https://registry.yarnpkg.com/commander/-/commander-2.15.1.tgz#df46e867d0fc2aec66a34662b406a9ccafff5b0f" + integrity sha512-VlfT9F3V0v+jr4yxPc5gg9s62/fIVWsd2Bk2iD435um1NlGMYdVCq+MjcXnhYq2icNOizHr1kK+5TI6H0Hy0ag== + +common-tags@1.8.0: + version "1.8.0" + resolved "https://registry.yarnpkg.com/common-tags/-/common-tags-1.8.0.tgz#8e3153e542d4a39e9b10554434afaaf98956a937" + integrity sha512-6P6g0uetGpW/sdyUy/iQQCbFF0kWVMSIVSyYz7Zgjcgh8mgw8PQzDNZeyZ5DQ2gM7LBoZPHmnjz8rUthkBG5tw== concat-map@0.0.1: version "0.0.1" resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b" integrity sha1-2Klr13/Wjfd5OnMDajug1UBdR3s= -concat-stream@1.6.0: - version "1.6.0" - resolved "https://registry.yarnpkg.com/concat-stream/-/concat-stream-1.6.0.tgz#0aac662fd52be78964d5532f694784e70110acf7" - integrity sha1-CqxmL9Ur54lk1VMvaUeE5wEQrPc= +concat-stream@1.6.2: + version "1.6.2" + resolved "https://registry.yarnpkg.com/concat-stream/-/concat-stream-1.6.2.tgz#904bdf194cd3122fc675c77fc4ac3d4ff0fd1a34" + integrity sha512-27HBghJxjiZtIk3Ycvn/4kbJk/1uZuJFfuPEns6LaEvpvG1f0hTea8lilrouyo9mVc2GWdcEZ8OLoGmSADlrCw== dependencies: + buffer-from "^1.0.0" inherits "^2.0.3" readable-stream "^2.2.2" typedarray "^0.0.6" -core-js@^2.4.0: - version "2.6.1" - resolved "https://registry.yarnpkg.com/core-js/-/core-js-2.6.1.tgz#87416ae817de957a3f249b3b5ca475d4aaed6042" - integrity sha512-L72mmmEayPJBejKIWe2pYtGis5r0tQ5NaJekdhyXgeMQTpJoBsH0NL4ElY2LfSoV15xeQWKQ+XTTOZdyero5Xg== +configstore@^3.0.0, configstore@^3.1.2: + version "3.1.2" + resolved "https://registry.yarnpkg.com/configstore/-/configstore-3.1.2.tgz#c6f25defaeef26df12dd33414b001fe81a543f8f" + integrity sha512-vtv5HtGjcYUgFrXc6Kx747B83MRRVS5R1VTEQoXvuP+kMI+if6uywV0nDGoiydJRy4yk7h9od5Og0kxx4zUXmw== + dependencies: + dot-prop "^4.1.0" + graceful-fs "^4.1.2" + make-dir "^1.0.0" + unique-string "^1.0.0" + write-file-atomic "^2.0.0" + xdg-basedir "^3.0.0" + +core-js@^3.2.0: + version "3.6.4" + resolved "https://registry.yarnpkg.com/core-js/-/core-js-3.6.4.tgz#440a83536b458114b9cb2ac1580ba377dc470647" + integrity sha512-4paDGScNgZP2IXXilaffL9X7968RuvwlkK3xWtZRVqgd8SYNiVKRJvkFd1aqqEuPfN7E68ZHEp9hDj6lHj4Hyw== core-util-is@1.0.2, core-util-is@~1.0.0: version "1.0.2" resolved "https://registry.yarnpkg.com/core-util-is/-/core-util-is-1.0.2.tgz#b5fd54220aa2bc5ab57aab7140c940754503c1a7" integrity sha1-tf1UIgqivFq1eqtxQMlAdUUDwac= +create-error-class@^3.0.0: + version "3.0.2" + resolved "https://registry.yarnpkg.com/create-error-class/-/create-error-class-3.0.2.tgz#06be7abef947a3f14a30fd610671d401bca8b7b6" + integrity sha1-Br56vvlHo/FKMP1hBnHUAbyot7Y= + dependencies: + capture-stack-trace "^1.0.0" + +cross-spawn@^5.0.1: + version "5.1.0" + resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-5.1.0.tgz#e8bd0efee58fcff6f8f94510a0a554bbfa235449" + integrity sha1-6L0O/uWPz/b4+UUQoKVUu/ojVEk= + dependencies: + lru-cache "^4.0.1" + shebang-command "^1.2.0" + which "^1.2.9" + cross-spawn@^6.0.0: version "6.0.5" resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-6.0.5.tgz#4a5ec7c64dfae22c3a14124dbacdee846d80cbc4" @@ -340,51 +622,49 @@ cross-spawn@^6.0.0: shebang-command "^1.2.0" which "^1.2.9" -cypress@^3.1.4: - version "3.1.4" - resolved "https://registry.yarnpkg.com/cypress/-/cypress-3.1.4.tgz#2af04da05e09f9d3871d05713b364472744c4216" - integrity sha512-8VJYtCAFqHXMnRDo4vdomR2CqfmhtReoplmbkXVspeKhKxU8WsZl0Nh5yeil8txxhq+YQwDrInItUqIm35Vw+g== +crypto-random-string@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/crypto-random-string/-/crypto-random-string-1.0.0.tgz#a230f64f568310e1498009940790ec99545bca7e" + integrity sha1-ojD2T1aDEOFJgAmUB5DsmVRbyn4= + +cypress@^3.4.1: + version "3.8.3" + resolved "https://registry.yarnpkg.com/cypress/-/cypress-3.8.3.tgz#e921f5482f1cbe5814891c878f26e704bbffd8f4" + integrity sha512-I9L/d+ilTPPA4vq3NC1OPKmw7jJIpMKNdyfR8t1EXYzYCjyqbc59migOm1YSse/VRbISLJ+QGb5k4Y3bz2lkYw== dependencies: "@cypress/listr-verbose-renderer" "0.4.1" - "@cypress/xvfb" "1.2.3" - "@types/blob-util" "1.3.3" - "@types/bluebird" "3.5.18" - "@types/chai" "4.0.8" - "@types/chai-jquery" "1.1.35" - "@types/jquery" "3.3.6" - "@types/lodash" "4.14.87" - "@types/minimatch" "3.0.3" - "@types/mocha" "2.2.44" - "@types/sinon" "7.0.0" - "@types/sinon-chai" "2.7.29" + "@cypress/xvfb" "1.2.4" + "@types/sizzle" "2.3.2" + arch "2.1.1" bluebird "3.5.0" cachedir "1.3.0" - chalk "2.4.1" + chalk "2.4.2" check-more-types "2.24.0" - commander "2.11.0" - common-tags "1.4.0" - debug "3.1.0" + commander "2.15.1" + common-tags "1.8.0" + debug "3.2.6" + eventemitter2 "4.1.2" execa "0.10.0" executable "4.1.1" - extract-zip "1.6.6" - fs-extra "4.0.1" - getos "3.1.0" - glob "7.1.2" - is-ci "1.0.10" + extract-zip "1.6.7" + fs-extra "5.0.0" + getos "3.1.1" + is-ci "1.2.1" is-installed-globally "0.1.0" lazy-ass "1.6.0" listr "0.12.0" - lodash "4.17.11" + lodash "4.17.15" log-symbols "2.2.0" minimist "1.2.0" - moment "2.22.2" + moment "2.24.0" ramda "0.24.1" - request "2.87.0" - request-progress "0.3.1" - supports-color "5.1.0" - tmp "0.0.31" + request "2.88.0" + request-progress "3.0.0" + supports-color "5.5.0" + tmp "0.1.0" + untildify "3.0.3" url "0.11.0" - yauzl "2.8.0" + yauzl "2.10.0" dashdash@^1.12.0: version "1.14.1" @@ -393,12 +673,17 @@ dashdash@^1.12.0: dependencies: assert-plus "^1.0.0" +data-uri-to-buffer@1: + version "1.2.0" + resolved "https://registry.yarnpkg.com/data-uri-to-buffer/-/data-uri-to-buffer-1.2.0.tgz#77163ea9c20d8641b4707e8f18abdf9a78f34835" + integrity sha512-vKQ9DTQPN1FLYiiEEOQ6IBGFqvjCa5rSK3cWMy/Nespm5d/x3dGFT9UBZnkLxCwua/IXBi2TYnwTEpsOvhC4UQ== + date-fns@^1.27.2: version "1.30.1" resolved "https://registry.yarnpkg.com/date-fns/-/date-fns-1.30.1.tgz#2e71bf0b119153dbb4cc4e88d9ea5acfb50dc05c" integrity sha512-hBSVCvSmWC+QypYObzwGOd9wqdDpOt+0wl0KbU+R+uuZBS1jN8VsD1ss3irQDknRj5NvxiTF6oj/nDRnN/UQNw== -debug@2.6.9: +debug@2, debug@2.6.9: version "2.6.9" resolved "https://registry.yarnpkg.com/debug/-/debug-2.6.9.tgz#5d128515df134ff327e90a4c93f4e077a536341f" integrity sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA== @@ -412,18 +697,89 @@ debug@3.1.0: dependencies: ms "2.0.0" -debug@^3.1.0: +debug@3.2.6, debug@^3.1.0, debug@^3.2.5, debug@^3.2.6: version "3.2.6" resolved "https://registry.yarnpkg.com/debug/-/debug-3.2.6.tgz#e83d17de16d8a7efb7717edbe5fb10135eee629b" integrity sha512-mel+jf7nrtEl5Pn1Qx46zARXKDpBbvzezse7p7LqINmdoIk8PYP5SySaxEmYv6TZ0JyEKA1hsCId6DIhgITtWQ== dependencies: ms "^2.1.1" +debug@4, debug@^4.1.1: + version "4.1.1" + resolved "https://registry.yarnpkg.com/debug/-/debug-4.1.1.tgz#3b72260255109c6b589cee050f1d516139664791" + integrity sha512-pYAIzeRo8J6KPEaJ0VWOh5Pzkbw/RetuzehGM7QRRX5he4fPHx2rdKMB256ehJCkX+XRQm16eZLqLNS8RSZXZw== + dependencies: + ms "^2.1.1" + +decamelize@^1.1.1: + version "1.2.0" + resolved "https://registry.yarnpkg.com/decamelize/-/decamelize-1.2.0.tgz#f6534d15148269b20352e7bee26f501f9a191290" + integrity sha1-9lNNFRSCabIDUue+4m9QH5oZEpA= + +deep-extend@^0.6.0: + version "0.6.0" + resolved "https://registry.yarnpkg.com/deep-extend/-/deep-extend-0.6.0.tgz#c4fa7c95404a17a9c3e8ca7e1537312b736330ac" + integrity sha512-LOHxIOaPYdHlJRtCQfDIVZtfw/ufM8+rVj649RIHzcm/vGwQRXFt6OPqIFWsm2XEMrNIEtWR64sY1LEKD2vAOA== + +deep-is@~0.1.3: + version "0.1.3" + resolved "https://registry.yarnpkg.com/deep-is/-/deep-is-0.1.3.tgz#b369d6fb5dbc13eecf524f91b070feedc357cf34" + integrity sha1-s2nW+128E+7PUk+RsHD+7cNXzzQ= + +degenerator@^1.0.4: + version "1.0.4" + resolved "https://registry.yarnpkg.com/degenerator/-/degenerator-1.0.4.tgz#fcf490a37ece266464d9cc431ab98c5819ced095" + integrity sha1-/PSQo37OJmRk2cxDGrmMWBnO0JU= + dependencies: + ast-types "0.x.x" + escodegen "1.x.x" + esprima "3.x.x" + delayed-stream@~1.0.0: version "1.0.0" resolved "https://registry.yarnpkg.com/delayed-stream/-/delayed-stream-1.0.0.tgz#df3ae199acadfb7d440aaae0b29e2272b24ec619" integrity sha1-3zrhmayt+31ECqrgsp4icrJOxhk= +depd@~1.1.2: + version "1.1.2" + resolved "https://registry.yarnpkg.com/depd/-/depd-1.1.2.tgz#9bcd52e14c097763e749b274c4346ed2e560b5a9" + integrity sha1-m81S4UwJd2PnSbJ0xDRu0uVgtak= + +diff@^4.0.1: + version "4.0.2" + resolved "https://registry.yarnpkg.com/diff/-/diff-4.0.2.tgz#60f3aecb89d5fae520c11aa19efc2bb982aade7d" + integrity sha512-58lmxKSA4BNyLz+HHMUzlOEpg09FV+ev6ZMe3vJihgdxzgcwZ8VoEEPmALCZG9LmqfVoNMMKpttIYTVG6uDY7A== + +dockerfile-ast@0.0.18: + version "0.0.18" + resolved "https://registry.yarnpkg.com/dockerfile-ast/-/dockerfile-ast-0.0.18.tgz#94a0ba84eb9b3e9fb7bd6beae0ea7eb6dcbca75a" + integrity sha512-SEp95qCox1KAzf8BBtjHoBDD0a7/eNlZJ6fgDf9RxqeSEDwLuEN9YjdZ/tRlkrYLxXR4i+kqZzS4eDRSqs8VKQ== + dependencies: + vscode-languageserver-types "^3.5.0" + +dot-prop@^4.1.0: + version "4.2.0" + resolved "https://registry.yarnpkg.com/dot-prop/-/dot-prop-4.2.0.tgz#1f19e0c2e1aa0e32797c49799f2837ac6af69c57" + integrity sha512-tUMXrxlExSW6U2EXiiKGSBVdYgtV8qlHL+C10TsW4PURY/ic+eaysnSkwB4kA/mBlCyy/IKDJ+Lc3wbWeaXtuQ== + dependencies: + is-obj "^1.0.0" + +dotnet-deps-parser@4.9.0: + version "4.9.0" + resolved "https://registry.yarnpkg.com/dotnet-deps-parser/-/dotnet-deps-parser-4.9.0.tgz#d14f9f92ae9a64062cd215c8863d1e77e80236f0" + integrity sha512-V0O+7pI7Ei+iL5Kgy6nYq1UTwzrpqci5K/zf8cXyP5RWBSQBUl/JOE9I67zLUkKiwOdfPhbMQgcRj/yGA+NL1A== + dependencies: + "@types/xml2js" "0.4.3" + lodash "^4.17.11" + source-map-support "^0.5.7" + tslib "^1.10.0" + xml2js "0.4.19" + +duplexer3@^0.1.4: + version "0.1.4" + resolved "https://registry.yarnpkg.com/duplexer3/-/duplexer3-0.1.4.tgz#ee01dd1cac0ed3cbc7fdbea37dc0a8f1ce002ce2" + integrity sha1-7gHdHKwO08vH/b6jfcCo8c4ALOI= + ecc-jsbn@~0.1.1: version "0.1.2" resolved "https://registry.yarnpkg.com/ecc-jsbn/-/ecc-jsbn-0.1.2.tgz#3a83a904e54353287874c564b7549386849a98c9" @@ -437,11 +793,84 @@ elegant-spinner@^1.0.1: resolved "https://registry.yarnpkg.com/elegant-spinner/-/elegant-spinner-1.0.1.tgz#db043521c95d7e303fd8f345bedc3349cfb0729e" integrity sha1-2wQ1IcldfjA/2PNFvtwzSc+wcp4= +email-validator@^2.0.4: + version "2.0.4" + resolved "https://registry.yarnpkg.com/email-validator/-/email-validator-2.0.4.tgz#b8dfaa5d0dae28f1b03c95881d904d4e40bfe7ed" + integrity sha512-gYCwo7kh5S3IDyZPLZf6hSS0MnZT8QmJFqYvbqlDZSbwdZlY6QZWxJ4i/6UhITOJ4XzyI647Bm2MXKCLqnJ4nQ== + +emoji-regex@^7.0.1: + version "7.0.3" + resolved "https://registry.yarnpkg.com/emoji-regex/-/emoji-regex-7.0.3.tgz#933a04052860c85e83c122479c4748a8e4c72156" + integrity sha512-CwBLREIQ7LvYFB0WyRvwhq5N5qPhc6PMjD6bYggFlI5YyDgl+0vxq5VHbMOFqLg7hfWzmu8T5Z1QofhmTIhItA== + +end-of-stream@^1.1.0, end-of-stream@^1.4.1: + version "1.4.4" + resolved "https://registry.yarnpkg.com/end-of-stream/-/end-of-stream-1.4.4.tgz#5ae64a5f45057baf3626ec14da0ca5e4b2431eb0" + integrity sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q== + dependencies: + once "^1.4.0" + +es6-promise@^4.0.3: + version "4.2.8" + resolved "https://registry.yarnpkg.com/es6-promise/-/es6-promise-4.2.8.tgz#4eb21594c972bc40553d276e510539143db53e0a" + integrity sha512-HJDGx5daxeIvxdBxvG2cb9g4tEvwIk3i8+nhX0yGrYmZUzbkdg8QbDevheDB8gd0//uPj4c1EQua8Q+MViT0/w== + +es6-promisify@^5.0.0: + version "5.0.0" + resolved "https://registry.yarnpkg.com/es6-promisify/-/es6-promisify-5.0.0.tgz#5109d62f3e56ea967c4b63505aef08291c8a5203" + integrity sha1-UQnWLz5W6pZ8S2NQWu8IKRyKUgM= + dependencies: + es6-promise "^4.0.3" + escape-string-regexp@^1.0.2, escape-string-regexp@^1.0.5: version "1.0.5" resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz#1b61c0562190a8dff6ae3bb2cf0200ca130b86d4" integrity sha1-G2HAViGQqN/2rjuyzwIAyhMLhtQ= +escodegen@1.x.x: + version "1.13.0" + resolved "https://registry.yarnpkg.com/escodegen/-/escodegen-1.13.0.tgz#c7adf9bd3f3cc675bb752f202f79a720189cab29" + integrity sha512-eYk2dCkxR07DsHA/X2hRBj0CFAZeri/LyDMc0C8JT1Hqi6JnVpMhJ7XFITbb0+yZS3lVkaPL2oCkZ3AVmeVbMw== + dependencies: + esprima "^4.0.1" + estraverse "^4.2.0" + esutils "^2.0.2" + optionator "^0.8.1" + optionalDependencies: + source-map "~0.6.1" + +esprima@3.x.x: + version "3.1.3" + resolved "https://registry.yarnpkg.com/esprima/-/esprima-3.1.3.tgz#fdca51cee6133895e3c88d535ce49dbff62a4633" + integrity sha1-/cpRzuYTOJXjyI1TXOSdv/YqRjM= + +esprima@^4.0.0, esprima@^4.0.1: + version "4.0.1" + resolved "https://registry.yarnpkg.com/esprima/-/esprima-4.0.1.tgz#13b04cdb3e6c5d19df91ab6987a8695619b0aa71" + integrity sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A== + +estraverse@^4.2.0: + version "4.3.0" + resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-4.3.0.tgz#398ad3f3c5a24948be7725e83d11a7de28cdbd1d" + integrity sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw== + +esutils@^2.0.2: + version "2.0.3" + resolved "https://registry.yarnpkg.com/esutils/-/esutils-2.0.3.tgz#74d2eb4de0b8da1293711910d50775b9b710ef64" + integrity sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g== + +event-loop-spinner@^1.1.0: + version "1.1.0" + resolved "https://registry.yarnpkg.com/event-loop-spinner/-/event-loop-spinner-1.1.0.tgz#96de9c70e6e2b0b3e257b0901e25e792e3c9c8d0" + integrity sha512-YVFs6dPpZIgH665kKckDktEVvSBccSYJmoZUfhNUdv5d3Xv+Q+SKF4Xis1jolq9aBzuW1ZZhQh/m/zU/TPdDhw== + dependencies: + tslib "^1.10.0" + +eventemitter2@4.1.2: + version "4.1.2" + resolved "https://registry.yarnpkg.com/eventemitter2/-/eventemitter2-4.1.2.tgz#0e1a8477af821a6ef3995b311bf74c23a5247f15" + integrity sha1-DhqEd6+CGm7zmVsxG/dMI6UkfxU= + execa@0.10.0: version "0.10.0" resolved "https://registry.yarnpkg.com/execa/-/execa-0.10.0.tgz#ff456a8f53f90f8eccc71a96d11bdfc7f082cb50" @@ -455,6 +884,32 @@ execa@0.10.0: signal-exit "^3.0.0" strip-eof "^1.0.0" +execa@^0.7.0: + version "0.7.0" + resolved "https://registry.yarnpkg.com/execa/-/execa-0.7.0.tgz#944becd34cc41ee32a63a9faf27ad5a65fc59777" + integrity sha1-lEvs00zEHuMqY6n68nrVpl/Fl3c= + dependencies: + cross-spawn "^5.0.1" + get-stream "^3.0.0" + is-stream "^1.1.0" + npm-run-path "^2.0.0" + p-finally "^1.0.0" + signal-exit "^3.0.0" + strip-eof "^1.0.0" + +execa@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/execa/-/execa-1.0.0.tgz#c6236a5bb4df6d6f15e88e7f017798216749ddd8" + integrity sha512-adbxcyWV46qiHyvSp50TKt05tB4tK3HcmF7/nxfAdhnox83seTDbwnaqKO4sXRy7roHAIFqJP/Rw/AuEbX61LA== + dependencies: + cross-spawn "^6.0.0" + get-stream "^4.0.0" + is-stream "^1.1.0" + npm-run-path "^2.0.0" + p-finally "^1.0.0" + signal-exit "^3.0.0" + strip-eof "^1.0.0" + executable@4.1.1: version "4.1.1" resolved "https://registry.yarnpkg.com/executable/-/executable-4.1.1.tgz#41532bff361d3e57af4d763b70582db18f5d133c" @@ -467,19 +922,28 @@ exit-hook@^1.0.0: resolved "https://registry.yarnpkg.com/exit-hook/-/exit-hook-1.1.1.tgz#f05ca233b48c05d54fff07765df8507e95c02ff8" integrity sha1-8FyiM7SMBdVP/wd2XfhQfpXAL/g= -extend@~3.0.1: +extend@~3.0.2: version "3.0.2" resolved "https://registry.yarnpkg.com/extend/-/extend-3.0.2.tgz#f8b1136b4071fbd8eb140aff858b1019ec2915fa" integrity sha512-fjquC59cD7CyW6urNXK0FBufkZcoiGG80wTuPujX590cB5Ttln20E2UB4S/WARVqhXffZl2LNgS+gQdPIIim/g== -extract-zip@1.6.6: - version "1.6.6" - resolved "https://registry.yarnpkg.com/extract-zip/-/extract-zip-1.6.6.tgz#1290ede8d20d0872b429fd3f351ca128ec5ef85c" - integrity sha1-EpDt6NINCHK0Kf0/NRyhKOxe+Fw= +external-editor@^3.0.3: + version "3.1.0" + resolved "https://registry.yarnpkg.com/external-editor/-/external-editor-3.1.0.tgz#cb03f740befae03ea4d283caed2741a83f335495" + integrity sha512-hMQ4CX1p1izmuLYyZqLMO/qGNw10wSv9QDCPfzXfyFrOaCSSoRfqE1Kf1s5an66J5JZC62NewG+mK49jOCtQew== dependencies: - concat-stream "1.6.0" + chardet "^0.7.0" + iconv-lite "^0.4.24" + tmp "^0.0.33" + +extract-zip@1.6.7: + version "1.6.7" + resolved "https://registry.yarnpkg.com/extract-zip/-/extract-zip-1.6.7.tgz#a840b4b8af6403264c8db57f4f1a74333ef81fe9" + integrity sha1-qEC0uK9kAyZMjbV/Txp0Mz74H+k= + dependencies: + concat-stream "1.6.2" debug "2.6.9" - mkdirp "0.5.0" + mkdirp "0.5.1" yauzl "2.4.1" extsprintf@1.3.0: @@ -492,16 +956,21 @@ extsprintf@^1.2.0: resolved "https://registry.yarnpkg.com/extsprintf/-/extsprintf-1.4.0.tgz#e2689f8f356fad62cca65a3a91c5df5f9551692f" integrity sha1-4mifjzVvrWLMplo6kcXfX5VRaS8= -fast-deep-equal@^1.0.0: - version "1.1.0" - resolved "https://registry.yarnpkg.com/fast-deep-equal/-/fast-deep-equal-1.1.0.tgz#c053477817c86b51daa853c81e059b733d023614" - integrity sha1-wFNHeBfIa1HaqFPIHgWbcz0CNhQ= +fast-deep-equal@^3.1.1: + version "3.1.1" + resolved "https://registry.yarnpkg.com/fast-deep-equal/-/fast-deep-equal-3.1.1.tgz#545145077c501491e33b15ec408c294376e94ae4" + integrity sha512-8UEa58QDLauDNfpbrX55Q9jrGHThw2ZMdOky5Gl1CDtVeJDPVrG4Jxx1N8jw2gkWaff5UUuX1KJd+9zGe2B+ZA== fast-json-stable-stringify@^2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/fast-json-stable-stringify/-/fast-json-stable-stringify-2.0.0.tgz#d5142c0caee6b1189f87d3a76111064f86c8bbf2" integrity sha1-1RQsDK7msRifh9OnYREGT4bIu/I= +fast-levenshtein@~2.0.6: + version "2.0.6" + resolved "https://registry.yarnpkg.com/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz#3d8a5c66883a16a30ca8643e851f19baa7797917" + integrity sha1-PYpcZog6FqMMqGQ+hR8Zuqd5eRc= + fd-slicer@~1.0.1: version "1.0.1" resolved "https://registry.yarnpkg.com/fd-slicer/-/fd-slicer-1.0.1.tgz#8b5bcbd9ec327c5041bf9ab023fd6750f1177e65" @@ -509,6 +978,13 @@ fd-slicer@~1.0.1: dependencies: pend "~1.2.0" +fd-slicer@~1.1.0: + version "1.1.0" + resolved "https://registry.yarnpkg.com/fd-slicer/-/fd-slicer-1.1.0.tgz#25c7c89cb1f9077f8891bbe61d8f390eae256f1e" + integrity sha1-JcfInLH5B3+IkbvmHY85Dq4lbx4= + dependencies: + pend "~1.2.0" + figures@^1.7.0: version "1.7.0" resolved "https://registry.yarnpkg.com/figures/-/figures-1.7.0.tgz#cbe1e3affcf1cd44b80cadfed28dc793a9701d2e" @@ -517,12 +993,24 @@ figures@^1.7.0: escape-string-regexp "^1.0.5" object-assign "^4.1.0" +figures@^2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/figures/-/figures-2.0.0.tgz#3ab1a2d2a62c8bfb431a0c94cb797a2fce27c962" + integrity sha1-OrGi0qYsi/tDGgyUy3l6L84nyWI= + dependencies: + escape-string-regexp "^1.0.5" + +file-uri-to-path@1: + version "1.0.0" + resolved "https://registry.yarnpkg.com/file-uri-to-path/-/file-uri-to-path-1.0.0.tgz#553a7b8446ff6f684359c445f1e37a05dacc33dd" + integrity sha512-0Zt+s3L7Vf1biwWZ29aARiVYLx7iMGnEUl9x33fbB/j3jR81u/O2LbqK+Bm1CDSNDKVtJ/YjwY7TUd5SkeLQLw== + forever-agent@~0.6.1: version "0.6.1" resolved "https://registry.yarnpkg.com/forever-agent/-/forever-agent-0.6.1.tgz#fbc71f0c41adeb37f96c577ad1ed42d8fdacca91" integrity sha1-+8cfDEGt6zf5bFd60e1C2P2sypE= -form-data@~2.3.1: +form-data@~2.3.2: version "2.3.3" resolved "https://registry.yarnpkg.com/form-data/-/form-data-2.3.3.tgz#dcce52c05f644f298c6a7ab936bd724ceffbf3a6" integrity sha512-1lLKB2Mu3aGP1Q/2eCOx0fNbRMe7XdwktwOruhfqqd0rIJWwN4Dh+E3hrPSlDCXnSR7UtZ1N38rVXm+6+MEhJQ== @@ -531,13 +1019,18 @@ form-data@~2.3.1: combined-stream "^1.0.6" mime-types "^2.1.12" -fs-extra@4.0.1: - version "4.0.1" - resolved "https://registry.yarnpkg.com/fs-extra/-/fs-extra-4.0.1.tgz#7fc0c6c8957f983f57f306a24e5b9ddd8d0dd880" - integrity sha1-f8DGyJV/mD9X8waiTlud3Y0N2IA= +fs-constants@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/fs-constants/-/fs-constants-1.0.0.tgz#6be0de9be998ce16af8afc24497b9ee9b7ccd9ad" + integrity sha512-y6OAwoSIf7FyjMIv94u+b5rdheZEjzR63GTyZJm5qh4Bi+2YgwLCcI/fPFZkL5PSixOt6ZNKm+w+Hfp/Bciwow== + +fs-extra@5.0.0: + version "5.0.0" + resolved "https://registry.yarnpkg.com/fs-extra/-/fs-extra-5.0.0.tgz#414d0110cdd06705734d055652c5411260c31abd" + integrity sha512-66Pm4RYbjzdyeuqudYqhFiNBbCIuI9kgRqLPSHIlXHidW8NIQtVdkM1yeZ4lXwuhbTETv3EUGMNHAAw6hiundQ== dependencies: graceful-fs "^4.1.2" - jsonfile "^3.0.0" + jsonfile "^4.0.0" universalify "^0.1.0" fs.realpath@^1.0.0: @@ -545,17 +1038,44 @@ fs.realpath@^1.0.0: resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f" integrity sha1-FQStJSMVjKpA20onh8sBQRmU6k8= +ftp@~0.3.10: + version "0.3.10" + resolved "https://registry.yarnpkg.com/ftp/-/ftp-0.3.10.tgz#9197d861ad8142f3e63d5a83bfe4c59f7330885d" + integrity sha1-kZfYYa2BQvPmPVqDv+TFn3MwiF0= + dependencies: + readable-stream "1.1.x" + xregexp "2.0.0" + get-stream@^3.0.0: version "3.0.0" resolved "https://registry.yarnpkg.com/get-stream/-/get-stream-3.0.0.tgz#8e943d1358dc37555054ecbe2edb05aa174ede14" integrity sha1-jpQ9E1jcN1VQVOy+LtsFqhdO3hQ= -getos@3.1.0: - version "3.1.0" - resolved "https://registry.yarnpkg.com/getos/-/getos-3.1.0.tgz#db3aa4df15a3295557ce5e81aa9e3e5cdfaa6567" - integrity sha512-i9vrxtDu5DlLVFcrbqUqGWYlZN/zZ4pGMICCAcZoYsX3JA54nYp8r5EThw5K+m2q3wszkx4Th746JstspB0H4Q== +get-stream@^4.0.0: + version "4.1.0" + resolved "https://registry.yarnpkg.com/get-stream/-/get-stream-4.1.0.tgz#c1b255575f3dc21d59bfc79cd3d2b46b1c3a54b5" + integrity sha512-GMat4EJ5161kIy2HevLlr4luNjBgvmj413KaQA7jt4V8B4RDsfpHk7WQ9GVqfYyyx8OS/L66Kox+rJRNklLK7w== dependencies: - async "2.4.0" + pump "^3.0.0" + +get-uri@^2.0.0: + version "2.0.4" + resolved "https://registry.yarnpkg.com/get-uri/-/get-uri-2.0.4.tgz#d4937ab819e218d4cb5ae18e4f5962bef169cc6a" + integrity sha512-v7LT/s8kVjs+Tx0ykk1I+H/rbpzkHvuIq87LmeXptcf5sNWm9uQiwjNAt94SJPA1zOlCntmnOlJvVWKmzsxG8Q== + dependencies: + data-uri-to-buffer "1" + debug "2" + extend "~3.0.2" + file-uri-to-path "1" + ftp "~0.3.10" + readable-stream "2" + +getos@3.1.1: + version "3.1.1" + resolved "https://registry.yarnpkg.com/getos/-/getos-3.1.1.tgz#967a813cceafee0156b0483f7cffa5b3eff029c5" + integrity sha512-oUP1rnEhAr97rkitiszGP9EgDVYnmchgFzfqRzSkgtfv7ai6tEi7Ko8GgjNXts7VLWEqrTWyhsOKLe5C5b/Zkg== + dependencies: + async "2.6.1" getpass@^0.1.1: version "0.1.7" @@ -564,10 +1084,25 @@ getpass@^0.1.1: dependencies: assert-plus "^1.0.0" -glob@7.1.2: - version "7.1.2" - resolved "https://registry.yarnpkg.com/glob/-/glob-7.1.2.tgz#c19c9df9a028702d678612384a6552404c636d15" - integrity sha512-MJTUg1kjuLeQCJ+ccE4Vpa6kKVXkPYJ2mOCQyUuKLcLQsdrMCpBPUi8qVE6+YuaJkozeA9NusTAw3hLr8Xe5EQ== +git-up@^4.0.0: + version "4.0.1" + resolved "https://registry.yarnpkg.com/git-up/-/git-up-4.0.1.tgz#cb2ef086653640e721d2042fe3104857d89007c0" + integrity sha512-LFTZZrBlrCrGCG07/dm1aCjjpL1z9L3+5aEeI9SBhAqSc+kiA9Or1bgZhQFNppJX6h/f5McrvJt1mQXTFm6Qrw== + dependencies: + is-ssh "^1.3.0" + parse-url "^5.0.0" + +git-url-parse@11.1.2: + version "11.1.2" + resolved "https://registry.yarnpkg.com/git-url-parse/-/git-url-parse-11.1.2.tgz#aff1a897c36cc93699270587bea3dbcbbb95de67" + integrity sha512-gZeLVGY8QVKMIkckncX+iCq2/L8PlwncvDFKiWkBn9EtCfYDbliRTTp6qzyQ1VMdITUfq7293zDzfpjdiGASSQ== + dependencies: + git-up "^4.0.0" + +glob@^7.1.3: + version "7.1.6" + resolved "https://registry.yarnpkg.com/glob/-/glob-7.1.6.tgz#141f33b81a7c2492e125594307480c46679278a6" + integrity sha512-LwaxwyZ72Lk7vZINtNNrywX0ZuLyStrdDtabefZKAY5ZGJhVtgdznluResxNmPitE0SAO+O26sWTHeKSI2wMBA== dependencies: fs.realpath "^1.0.0" inflight "^1.0.4" @@ -583,22 +1118,51 @@ global-dirs@^0.1.0: dependencies: ini "^1.3.4" +got@^6.7.1: + version "6.7.1" + resolved "https://registry.yarnpkg.com/got/-/got-6.7.1.tgz#240cd05785a9a18e561dc1b44b41c763ef1e8db0" + integrity sha1-JAzQV4WpoY5WHcG0S0HHY+8ejbA= + dependencies: + create-error-class "^3.0.0" + duplexer3 "^0.1.4" + get-stream "^3.0.0" + is-redirect "^1.0.0" + is-retry-allowed "^1.0.0" + is-stream "^1.0.0" + lowercase-keys "^1.0.0" + safe-buffer "^5.0.1" + timed-out "^4.0.0" + unzip-response "^2.0.1" + url-parse-lax "^1.0.0" + +graceful-fs@^4.1.11: + version "4.2.3" + resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.2.3.tgz#4a12ff1b60376ef09862c2093edd908328be8423" + integrity sha512-a30VEBm4PEdx1dRB7MFK7BejejvCvBronbLjht+sHuGYj8PHs7M/5Z+rt5lw551vZ7yfTCj4Vuyy3mSJytDWRQ== + graceful-fs@^4.1.2, graceful-fs@^4.1.6: version "4.1.15" resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.1.15.tgz#ffb703e1066e8a0eeaa4c8b80ba9253eeefbfb00" integrity sha512-6uHUhOPEBgQ24HM+r6b/QwWfZq+yiFcipKFrOFiBEnWdy5sdzYoi+pJeQaPI5qOLRFqWmAXUPQNsielzdLoecA== +graphlib@^2.1.1, graphlib@^2.1.5: + version "2.1.8" + resolved "https://registry.yarnpkg.com/graphlib/-/graphlib-2.1.8.tgz#5761d414737870084c92ec7b5dbcb0592c9d35da" + integrity sha512-jcLLfkpoVGmH7/InMC/1hIvOPSUh38oJtGhvrOFGzioE1DZ+0YW16RgmOJhHiuWTvGiJQ9Z1Ik43JvkRPRvE+A== + dependencies: + lodash "^4.17.15" + har-schema@^2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/har-schema/-/har-schema-2.0.0.tgz#a94c2224ebcac04782a0d9035521f24735b7ec92" integrity sha1-qUwiJOvKwEeCoNkDVSHyRzW37JI= -har-validator@~5.0.3: - version "5.0.3" - resolved "https://registry.yarnpkg.com/har-validator/-/har-validator-5.0.3.tgz#ba402c266194f15956ef15e0fcf242993f6a7dfd" - integrity sha1-ukAsJmGU8VlW7xXg/PJCmT9qff0= +har-validator@~5.1.0: + version "5.1.3" + resolved "https://registry.yarnpkg.com/har-validator/-/har-validator-5.1.3.tgz#1ef89ebd3e4996557675eed9893110dc350fa080" + integrity sha512-sNvOCzEQNr/qrvJgc3UG/kD4QtlHycrzwS+6mfTrrSq97BvaYcPZZI1ZSqGSPR73Cxn4LKTD4PttRwfU7jWq5g== dependencies: - ajv "^5.1.0" + ajv "^6.5.5" har-schema "^2.0.0" has-ansi@^2.0.0: @@ -608,16 +1172,35 @@ has-ansi@^2.0.0: dependencies: ansi-regex "^2.0.0" -has-flag@^2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-2.0.0.tgz#e8207af1cc7b30d446cc70b734b5e8be18f88d51" - integrity sha1-6CB68cx7MNRGzHC3NLXovhj4jVE= - has-flag@^3.0.0: version "3.0.0" resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-3.0.0.tgz#b5d454dc2199ae225699f3467e5a07f3b955bafd" integrity sha1-tdRU3CGZriJWmfNGfloH87lVuv0= +hosted-git-info@^2.7.1: + version "2.8.5" + resolved "https://registry.yarnpkg.com/hosted-git-info/-/hosted-git-info-2.8.5.tgz#759cfcf2c4d156ade59b0b2dfabddc42a6b9c70c" + integrity sha512-kssjab8CvdXfcXMXVcvsXum4Hwdq9XGtRD3TteMEvEbq0LXyiNQr6AprqKqfeaDXze7SxWvRxdpwE6ku7ikLkg== + +http-errors@1.7.3: + version "1.7.3" + resolved "https://registry.yarnpkg.com/http-errors/-/http-errors-1.7.3.tgz#6c619e4f9c60308c38519498c14fbb10aacebb06" + integrity sha512-ZTTX0MWrsQ2ZAhA1cejAwDLycFsd7I7nVtnkT3Ol0aqodaKW+0CTZDQ1uBv5whptCnc8e8HeRRJxRs0kmm/Qfw== + dependencies: + depd "~1.1.2" + inherits "2.0.4" + setprototypeof "1.1.1" + statuses ">= 1.5.0 < 2" + toidentifier "1.0.0" + +http-proxy-agent@^2.1.0: + version "2.1.0" + resolved "https://registry.yarnpkg.com/http-proxy-agent/-/http-proxy-agent-2.1.0.tgz#e4821beef5b2142a2026bd73926fe537631c5405" + integrity sha512-qwHbBLV7WviBl0rQsOzH6o5lwyOIvwp/BdFnvVxXORldu5TmjFfjzBcWUWS5kWAZhmv+JtiDhSuQCp4sBfbIgg== + dependencies: + agent-base "4" + debug "3.1.0" + http-signature@~1.2.0: version "1.2.0" resolved "https://registry.yarnpkg.com/http-signature/-/http-signature-1.2.0.tgz#9aecd925114772f3d95b65a60abb8f7c18fbace1" @@ -627,6 +1210,36 @@ http-signature@~1.2.0: jsprim "^1.2.2" sshpk "^1.7.0" +https-proxy-agent@^3.0.0: + version "3.0.1" + resolved "https://registry.yarnpkg.com/https-proxy-agent/-/https-proxy-agent-3.0.1.tgz#b8c286433e87602311b01c8ea34413d856a4af81" + integrity sha512-+ML2Rbh6DAuee7d07tYGEKOEi2voWPUGan+ExdPbPW6Z3svq+JCqr0v8WmKPOkz1vOVykPCBSuobe7G8GJUtVg== + dependencies: + agent-base "^4.3.0" + debug "^3.1.0" + +iconv-lite@0.4.24, iconv-lite@^0.4.24, iconv-lite@^0.4.4: + version "0.4.24" + resolved "https://registry.yarnpkg.com/iconv-lite/-/iconv-lite-0.4.24.tgz#2022b4b25fbddc21d2f524974a474aafe733908b" + integrity sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA== + dependencies: + safer-buffer ">= 2.1.2 < 3" + +immediate@~3.0.5: + version "3.0.6" + resolved "https://registry.yarnpkg.com/immediate/-/immediate-3.0.6.tgz#9db1dbd0faf8de6fbe0f5dd5e56bb606280de69b" + integrity sha1-nbHb0Pr43m++D13V5Wu2BigN5ps= + +import-lazy@^2.1.0: + version "2.1.0" + resolved "https://registry.yarnpkg.com/import-lazy/-/import-lazy-2.1.0.tgz#05698e3d45c88e8d7e9d92cb0584e77f096f3e43" + integrity sha1-BWmOPUXIjo1+nZLLBYTnfwlvPkM= + +imurmurhash@^0.1.4: + version "0.1.4" + resolved "https://registry.yarnpkg.com/imurmurhash/-/imurmurhash-0.1.4.tgz#9218b9b2b928a238b13dc4fb6b6d576f231453ea" + integrity sha1-khi5srkoojixPcT7a21XbyMUU+o= + indent-string@^2.1.0: version "2.1.0" resolved "https://registry.yarnpkg.com/indent-string/-/indent-string-2.1.0.tgz#8e2d48348742121b4a8218b7a137e9a52049dc80" @@ -652,17 +1265,51 @@ inherits@2, inherits@^2.0.3, inherits@~2.0.3: resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.3.tgz#633c2c83e3da42a502f52466022480f4208261de" integrity sha1-Yzwsg+PaQqUC9SRmAiSA9CCCYd4= -ini@^1.3.4: +inherits@2.0.4, inherits@~2.0.1: + version "2.0.4" + resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.4.tgz#0fa2c64f932917c3433a0ded55363aae37416b7c" + integrity sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ== + +ini@^1.3.0, ini@^1.3.4, ini@~1.3.0: version "1.3.5" resolved "https://registry.yarnpkg.com/ini/-/ini-1.3.5.tgz#eee25f56db1c9ec6085e0c22778083f596abf927" integrity sha512-RZY5huIKCMRWDUqZlEi72f/lmXKMvuszcMBduliQ3nnWbx9X/ZBQO7DijMEYS9EhHBb2qacRUMtC7svLwe0lcw== -is-ci@1.0.10: - version "1.0.10" - resolved "https://registry.yarnpkg.com/is-ci/-/is-ci-1.0.10.tgz#f739336b2632365061a9d48270cd56ae3369318e" - integrity sha1-9zkzayYyNlBhqdSCcM1WrjNpMY4= +inquirer@^6.2.2: + version "6.5.2" + resolved "https://registry.yarnpkg.com/inquirer/-/inquirer-6.5.2.tgz#ad50942375d036d327ff528c08bd5fab089928ca" + integrity sha512-cntlB5ghuB0iuO65Ovoi8ogLHiWGs/5yNrtUcKjFhSSiVeAIVpD7koaSU9RM8mpXw5YDi9RdYXGQMaOURB7ycQ== dependencies: - ci-info "^1.0.0" + ansi-escapes "^3.2.0" + chalk "^2.4.2" + cli-cursor "^2.1.0" + cli-width "^2.0.0" + external-editor "^3.0.3" + figures "^2.0.0" + lodash "^4.17.12" + mute-stream "0.0.7" + run-async "^2.2.0" + rxjs "^6.4.0" + string-width "^2.1.0" + strip-ansi "^5.1.0" + through "^2.3.6" + +invert-kv@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/invert-kv/-/invert-kv-1.0.0.tgz#104a8e4aaca6d3d8cd157a8ef8bfab2d7a3ffdb6" + integrity sha1-EEqOSqym09jNFXqO+L+rLXo//bY= + +ip@1.1.5, ip@^1.1.5: + version "1.1.5" + resolved "https://registry.yarnpkg.com/ip/-/ip-1.1.5.tgz#bdded70114290828c0a039e72ef25f5aaec4354a" + integrity sha1-vd7XARQpCCjAoDnnLvJfWq7ENUo= + +is-ci@1.2.1, is-ci@^1.0.10: + version "1.2.1" + resolved "https://registry.yarnpkg.com/is-ci/-/is-ci-1.2.1.tgz#e3779c8ee17fccf428488f6e281187f2e632841c" + integrity sha512-s6tfsaQaQi3JNciBH6shVqEDvhGut0SUXr31ag8Pd8BBbVVlcGfWhpPmEOoM6RJ5TFhbypvf5yyRw/VXW1IiWg== + dependencies: + ci-info "^1.5.0" is-finite@^1.0.0: version "1.0.2" @@ -678,7 +1325,12 @@ is-fullwidth-code-point@^1.0.0: dependencies: number-is-nan "^1.0.0" -is-installed-globally@0.1.0: +is-fullwidth-code-point@^2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-2.0.0.tgz#a3b30a5c4f199183167aaab93beefae3ddfb654f" + integrity sha1-o7MKXE8ZkYMWeqq5O+764937ZU8= + +is-installed-globally@0.1.0, is-installed-globally@^0.1.0: version "0.1.0" resolved "https://registry.yarnpkg.com/is-installed-globally/-/is-installed-globally-0.1.0.tgz#0dfd98f5a9111716dd535dda6492f67bf3d25a80" integrity sha1-Df2Y9akRFxbdU13aZJL2e/PSWoA= @@ -686,6 +1338,16 @@ is-installed-globally@0.1.0: global-dirs "^0.1.0" is-path-inside "^1.0.0" +is-npm@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/is-npm/-/is-npm-1.0.0.tgz#f2fb63a65e4905b406c86072765a1a4dc793b9f4" + integrity sha1-8vtjpl5JBbQGyGBydloaTceTufQ= + +is-obj@^1.0.0: + version "1.0.1" + resolved "https://registry.yarnpkg.com/is-obj/-/is-obj-1.0.1.tgz#3e4729ac1f5fde025cd7d83a896dab9f4f67db0f" + integrity sha1-PkcprB9f3gJc19g6iW2rn09n2w8= + is-path-inside@^1.0.0: version "1.0.1" resolved "https://registry.yarnpkg.com/is-path-inside/-/is-path-inside-1.0.1.tgz#8ef5b7de50437a3fdca6b4e865ef7aa55cb48036" @@ -698,7 +1360,24 @@ is-promise@^2.1.0: resolved "https://registry.yarnpkg.com/is-promise/-/is-promise-2.1.0.tgz#79a2a9ece7f096e80f36d2b2f3bc16c1ff4bf3fa" integrity sha1-eaKp7OfwlugPNtKy87wWwf9L8/o= -is-stream@^1.1.0: +is-redirect@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/is-redirect/-/is-redirect-1.0.0.tgz#1d03dded53bd8db0f30c26e4f95d36fc7c87dc24" + integrity sha1-HQPd7VO9jbDzDCbk+V02/HyH3CQ= + +is-retry-allowed@^1.0.0: + version "1.2.0" + resolved "https://registry.yarnpkg.com/is-retry-allowed/-/is-retry-allowed-1.2.0.tgz#d778488bd0a4666a3be8a1482b9f2baafedea8b4" + integrity sha512-RUbUeKwvm3XG2VYamhJL1xFktgjvPzL0Hq8C+6yrWIswDy3BIXGqCxhxkc30N9jqK311gVU137K8Ei55/zVJRg== + +is-ssh@^1.3.0: + version "1.3.1" + resolved "https://registry.yarnpkg.com/is-ssh/-/is-ssh-1.3.1.tgz#f349a8cadd24e65298037a522cf7520f2e81a0f3" + integrity sha512-0eRIASHZt1E68/ixClI8bp2YK2wmBPVWEismTs6M+M099jKgrzl/3E976zIbImSIob48N2/XGe9y7ZiYdImSlg== + dependencies: + protocols "^1.1.0" + +is-stream@^1.0.0, is-stream@^1.1.0: version "1.1.0" resolved "https://registry.yarnpkg.com/is-stream/-/is-stream-1.1.0.tgz#12d4a3dd4e68e0b79ceb8dbc84173ae80d91ca44" integrity sha1-EtSj3U5o4Lec6428hBc66A2RykQ= @@ -708,6 +1387,16 @@ is-typedarray@~1.0.0: resolved "https://registry.yarnpkg.com/is-typedarray/-/is-typedarray-1.0.0.tgz#e479c80858df0c1b11ddda6940f96011fcda4a9a" integrity sha1-5HnICFjfDBsR3dppQPlgEfzaSpo= +is-wsl@^1.1.0: + version "1.1.0" + resolved "https://registry.yarnpkg.com/is-wsl/-/is-wsl-1.1.0.tgz#1f16e4aa22b04d1336b66188a66af3c600c3a66d" + integrity sha1-HxbkqiKwTRM2tmGIpmrzxgDDpm0= + +isarray@0.0.1: + version "0.0.1" + resolved "https://registry.yarnpkg.com/isarray/-/isarray-0.0.1.tgz#8a18acfca9a8f4177e09abfc6038939b05d1eedf" + integrity sha1-ihis/Kmo9Bd+Cav8YDiTmwXR7t8= + isarray@~1.0.0: version "1.0.0" resolved "https://registry.yarnpkg.com/isarray/-/isarray-1.0.0.tgz#bb935d48582cba168c06834957a54a3e07124f11" @@ -723,15 +1412,23 @@ isstream@~0.1.2: resolved "https://registry.yarnpkg.com/isstream/-/isstream-0.1.2.tgz#47e63f7af55afa6f92e1500e690eb8b8529c099a" integrity sha1-R+Y/evVa+m+S4VAOaQ64uFKcCZo= +js-yaml@^3.13.1: + version "3.13.1" + resolved "https://registry.yarnpkg.com/js-yaml/-/js-yaml-3.13.1.tgz#aff151b30bfdfa8e49e05da22e7415e9dfa37847" + integrity sha512-YfbcO7jXDdyj0DGxYVSlSeQNHbD7XPWvrVWeVUujrQEoZzWJIRrCPoyk6kL6IAjAG2IolMK4T0hNUe0HOUs5Jw== + dependencies: + argparse "^1.0.7" + esprima "^4.0.0" + jsbn@~0.1.0: version "0.1.1" resolved "https://registry.yarnpkg.com/jsbn/-/jsbn-0.1.1.tgz#a5e654c2e5a2deb5f201d96cefbca80c0ef2f513" integrity sha1-peZUwuWi3rXyAdls77yoDA7y9RM= -json-schema-traverse@^0.3.0: - version "0.3.1" - resolved "https://registry.yarnpkg.com/json-schema-traverse/-/json-schema-traverse-0.3.1.tgz#349a6d44c53a51de89b40805c5d5e59b417d3340" - integrity sha1-NJptRMU6Ud6JtAgFxdXlm0F9M0A= +json-schema-traverse@^0.4.1: + version "0.4.1" + resolved "https://registry.yarnpkg.com/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz#69f6a87d9513ab8bb8fe63bdb0979c448e684660" + integrity sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg== json-schema@0.2.3: version "0.2.3" @@ -743,10 +1440,10 @@ json-stringify-safe@~5.0.1: resolved "https://registry.yarnpkg.com/json-stringify-safe/-/json-stringify-safe-5.0.1.tgz#1296a2d58fd45f19a0f6ce01d65701e2c735b6eb" integrity sha1-Epai1Y/UXxmg9s4B1lcB4sc1tus= -jsonfile@^3.0.0: - version "3.0.1" - resolved "https://registry.yarnpkg.com/jsonfile/-/jsonfile-3.0.1.tgz#a5ecc6f65f53f662c4415c7675a0331d0992ec66" - integrity sha1-pezG9l9T9mLEQVx2daAzHQmS7GY= +jsonfile@^4.0.0: + version "4.0.0" + resolved "https://registry.yarnpkg.com/jsonfile/-/jsonfile-4.0.0.tgz#8771aae0799b64076b76640fca058f9c10e33ecb" + integrity sha1-h3Gq4HmbZAdrdmQPygWPnBDjPss= optionalDependencies: graceful-fs "^4.1.6" @@ -760,11 +1457,50 @@ jsprim@^1.2.2: json-schema "0.2.3" verror "1.10.0" +jszip@^3.1.5: + version "3.2.2" + resolved "https://registry.yarnpkg.com/jszip/-/jszip-3.2.2.tgz#b143816df7e106a9597a94c77493385adca5bd1d" + integrity sha512-NmKajvAFQpbg3taXQXr/ccS2wcucR1AZ+NtyWp2Nq7HHVsXhcJFR8p0Baf32C2yVvBylFWVeKf+WI2AnvlPhpA== + dependencies: + lie "~3.3.0" + pako "~1.0.2" + readable-stream "~2.3.6" + set-immediate-shim "~1.0.1" + +latest-version@^3.0.0: + version "3.1.0" + resolved "https://registry.yarnpkg.com/latest-version/-/latest-version-3.1.0.tgz#a205383fea322b33b5ae3b18abee0dc2f356ee15" + integrity sha1-ogU4P+oyKzO1rjsYq+4NwvNW7hU= + dependencies: + package-json "^4.0.0" + lazy-ass@1.6.0: version "1.6.0" resolved "https://registry.yarnpkg.com/lazy-ass/-/lazy-ass-1.6.0.tgz#7999655e8646c17f089fdd187d150d3324d54513" integrity sha1-eZllXoZGwX8In90YfRUNMyTVRRM= +lcid@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/lcid/-/lcid-1.0.0.tgz#308accafa0bc483a3867b4b6f2b9506251d1b835" + integrity sha1-MIrMr6C8SDo4Z7S28rlQYlHRuDU= + dependencies: + invert-kv "^1.0.0" + +levn@~0.3.0: + version "0.3.0" + resolved "https://registry.yarnpkg.com/levn/-/levn-0.3.0.tgz#3b09924edf9f083c0490fdd4c0bc4421e04764ee" + integrity sha1-OwmSTt+fCDwEkP3UwLxEIeBHZO4= + dependencies: + prelude-ls "~1.1.2" + type-check "~0.3.2" + +lie@~3.3.0: + version "3.3.0" + resolved "https://registry.yarnpkg.com/lie/-/lie-3.3.0.tgz#dcf82dee545f46074daf200c7c1c5a08e0f40f6a" + integrity sha512-UaiMJzeWRlEujzAuw5LokY1L5ecNQYZKfmyZ9L7wDHb/p5etKaxXhohBcrw0EYby+G/NA52vRSN4N39dxHAIwQ== + dependencies: + immediate "~3.0.5" + listr-silent-renderer@^1.1.1: version "1.1.1" resolved "https://registry.yarnpkg.com/listr-silent-renderer/-/listr-silent-renderer-1.1.1.tgz#924b5a3757153770bf1a8e3fbf74b8bbf3f9242e" @@ -816,15 +1552,50 @@ listr@0.12.0: stream-to-observable "^0.1.0" strip-ansi "^3.0.1" +lodash.assign@^4.2.0: + version "4.2.0" + resolved "https://registry.yarnpkg.com/lodash.assign/-/lodash.assign-4.2.0.tgz#0d99f3ccd7a6d261d19bdaeb9245005d285808e7" + integrity sha1-DZnzzNem0mHRm9rrkkUAXShYCOc= + +lodash.assignin@^4.2.0: + version "4.2.0" + resolved "https://registry.yarnpkg.com/lodash.assignin/-/lodash.assignin-4.2.0.tgz#ba8df5fb841eb0a3e8044232b0e263a8dc6a28a2" + integrity sha1-uo31+4QesKPoBEIysOJjqNxqKKI= + +lodash.clone@^4.5.0: + version "4.5.0" + resolved "https://registry.yarnpkg.com/lodash.clone/-/lodash.clone-4.5.0.tgz#195870450f5a13192478df4bc3d23d2dea1907b6" + integrity sha1-GVhwRQ9aExkkeN9Lw9I9LeoZB7Y= + +lodash.clonedeep@^4.3.0, lodash.clonedeep@^4.5.0: + version "4.5.0" + resolved "https://registry.yarnpkg.com/lodash.clonedeep/-/lodash.clonedeep-4.5.0.tgz#e23f3f9c4f8fbdde872529c1071857a086e5ccef" + integrity sha1-4j8/nE+Pvd6HJSnBBxhXoIblzO8= + +lodash.flatten@^4.4.0: + version "4.4.0" + resolved "https://registry.yarnpkg.com/lodash.flatten/-/lodash.flatten-4.4.0.tgz#f31c22225a9632d2bbf8e4addbef240aa765a61f" + integrity sha1-8xwiIlqWMtK7+OSt2+8kCqdlph8= + +lodash.get@^4.4.2: + version "4.4.2" + resolved "https://registry.yarnpkg.com/lodash.get/-/lodash.get-4.4.2.tgz#2d177f652fa31e939b4438d5341499dfa3825e99" + integrity sha1-LRd/ZS+jHpObRDjVNBSZ36OCXpk= + lodash.once@^4.1.1: version "4.1.1" resolved "https://registry.yarnpkg.com/lodash.once/-/lodash.once-4.1.1.tgz#0dd3971213c7c56df880977d504c88fb471a97ac" integrity sha1-DdOXEhPHxW34gJd9UEyI+0cal6w= -lodash@4.17.11, lodash@^4.14.0: - version "4.17.11" - resolved "https://registry.yarnpkg.com/lodash/-/lodash-4.17.11.tgz#b39ea6229ef607ecd89e2c8df12536891cac9b8d" - integrity sha512-cQKh8igo5QUhZ7lg38DYWAxMvjSAKG0A8wGSVimP07SIUEK2UO+arSRKbRZWtelMtN5V0Hkwh5ryOto/SshYIg== +lodash.set@^4.3.2: + version "4.3.2" + resolved "https://registry.yarnpkg.com/lodash.set/-/lodash.set-4.3.2.tgz#d8757b1da807dde24816b0d6a84bea1a76230b23" + integrity sha1-2HV7HagH3eJIFrDWqEvqGnYjCyM= + +lodash@4.17.15, lodash@^4.17.10, lodash@^4.17.11, lodash@^4.17.12, lodash@^4.17.13, lodash@^4.17.14, lodash@^4.17.15, lodash@^4.7.14: + version "4.17.15" + resolved "https://registry.yarnpkg.com/lodash/-/lodash-4.17.15.tgz#b447f6670a0455bbfeedd11392eff330ea097548" + integrity sha512-8xOcRHvCjnocdS5cpwXQXVzmmh5e5+saE2QGoeQmbKmRS6J3VQppPOIt0MnmE+4xlZoumy0GPG0D0MVIQbNA1A== log-symbols@2.2.0: version "2.2.0" @@ -848,18 +1619,67 @@ log-update@^1.0.2: ansi-escapes "^1.0.0" cli-cursor "^1.0.2" +lowercase-keys@^1.0.0: + version "1.0.1" + resolved "https://registry.yarnpkg.com/lowercase-keys/-/lowercase-keys-1.0.1.tgz#6f9e30b47084d971a7c820ff15a6c5167b74c26f" + integrity sha512-G2Lj61tXDnVFFOi8VZds+SoQjtQC3dgokKdDG2mTm1tx4m50NUHBOZSBwQQHyy0V12A0JTG4icfZQH+xPyh8VA== + +lru-cache@^4.0.0, lru-cache@^4.0.1: + version "4.1.5" + resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-4.1.5.tgz#8bbe50ea85bed59bc9e33dcab8235ee9bcf443cd" + integrity sha512-sWZlbEP2OsHNkXrMl5GYk/jKk70MBng6UU4YI/qGDYbgf6YbP4EvmqISbXCoJiRKs+1bSpFHVgQxvJ17F2li5g== + dependencies: + pseudomap "^1.0.2" + yallist "^2.1.2" + +lru-cache@^5.1.1: + version "5.1.1" + resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-5.1.1.tgz#1da27e6710271947695daf6848e847f01d84b920" + integrity sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w== + dependencies: + yallist "^3.0.2" + +macos-release@^2.2.0: + version "2.3.0" + resolved "https://registry.yarnpkg.com/macos-release/-/macos-release-2.3.0.tgz#eb1930b036c0800adebccd5f17bc4c12de8bb71f" + integrity sha512-OHhSbtcviqMPt7yfw5ef5aghS2jzFVKEFyCJndQt2YpSQ9qRVSEv2axSJI1paVThEu+FFGs584h/1YhxjVqajA== + +make-dir@^1.0.0: + version "1.3.0" + resolved "https://registry.yarnpkg.com/make-dir/-/make-dir-1.3.0.tgz#79c1033b80515bd6d24ec9933e860ca75ee27f0c" + integrity sha512-2w31R7SJtieJJnQtGc7RVL2StM2vGYVfqUOvUDxH6bC6aJTxPxTF0GnIgCyu7tjockiUWAYQRbxa7vKn34s5sQ== + dependencies: + pify "^3.0.0" + +mime-db@1.43.0: + version "1.43.0" + resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.43.0.tgz#0a12e0502650e473d735535050e7c8f4eb4fae58" + integrity sha512-+5dsGEEovYbT8UY9yD7eE4XTc4UwJ1jBYlgaQQF38ENsKR3wj/8q8RFZrF9WIZpB2V1ArTVFUva8sAul1NzRzQ== + mime-db@~1.37.0: version "1.37.0" resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.37.0.tgz#0b6a0ce6fdbe9576e25f1f2d2fde8830dc0ad0d8" integrity sha512-R3C4db6bgQhlIhPU48fUtdVmKnflq+hRdad7IyKhtFj06VPNVdk2RhiYL3UjQIlso8L+YxAtFkobT0VK+S/ybg== -mime-types@^2.1.12, mime-types@~2.1.17: +mime-types@^2.1.12: version "2.1.21" resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.21.tgz#28995aa1ecb770742fe6ae7e58f9181c744b3f96" integrity sha512-3iL6DbwpyLzjR3xHSFNFeb9Nz/M8WDkX33t1GFQnFOllWk8pOrh/LSrB5OXlnlW5P9LH73X6loW/eogc+F5lJg== dependencies: mime-db "~1.37.0" +mime-types@~2.1.19: + version "2.1.26" + resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.26.tgz#9c921fc09b7e149a65dfdc0da4d20997200b0a06" + integrity sha512-01paPWYgLrkqAyrlDorC1uDwl2p3qZT7yl806vW7DvDoxwXi46jsjFbg+WdwotBIk6/MbEhO/dh5aZ5sNj/dWQ== + dependencies: + mime-db "1.43.0" + +mimic-fn@^1.0.0: + version "1.2.0" + resolved "https://registry.yarnpkg.com/mimic-fn/-/mimic-fn-1.2.0.tgz#820c86a39334640e99516928bd03fca88057d022" + integrity sha512-jf84uxzwiuiIVKiOLpfYk7N46TSy8ubTonmneY9vrpHNAnp0QBt2BxWV9dO3/j+BoVAb+a5G6YDPW3M5HOdMWQ== + minimatch@^3.0.4: version "3.0.4" resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.0.4.tgz#5166e286457f03306064be5497e8dbb0c3d32083" @@ -872,22 +1692,22 @@ minimist@0.0.8: resolved "https://registry.yarnpkg.com/minimist/-/minimist-0.0.8.tgz#857fcabfc3397d2625b8228262e86aa7a011b05d" integrity sha1-hX/Kv8M5fSYluCKCYuhqp6ARsF0= -minimist@1.2.0: +minimist@1.2.0, minimist@^1.2.0: version "1.2.0" resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.0.tgz#a35008b20f41383eec1fb914f4cd5df79a264284" integrity sha1-o1AIsg9BOD7sH7kU9M1d95omQoQ= -mkdirp@0.5.0: - version "0.5.0" - resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.0.tgz#1d73076a6df986cd9344e15e71fcc05a4c9abf12" - integrity sha1-HXMHam35hs2TROFecfzAWkyavxI= +mkdirp@0.5.1: + version "0.5.1" + resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.1.tgz#30057438eac6cf7f8c4767f38648d6697d75c903" + integrity sha1-MAV0OOrGz3+MR2fzhkjWaX11yQM= dependencies: minimist "0.0.8" -moment@2.22.2: - version "2.22.2" - resolved "https://registry.yarnpkg.com/moment/-/moment-2.22.2.tgz#3c257f9839fc0e93ff53149632239eb90783ff66" - integrity sha1-PCV/mDn8DpP/UxSWMiOeuQeD/2Y= +moment@2.24.0: + version "2.24.0" + resolved "https://registry.yarnpkg.com/moment/-/moment-2.24.0.tgz#0d055d53f5052aa653c9f6eb68bb5d12bf5c2b5b" + integrity sha512-bV7f+6l2QigeBBZSM/6yTNq4P2fNpSWj/0e7jQcy87A8e7o2nAfP/34/2ky5Vw4B9S446EtIhodAzkFCcR4dQg== ms@2.0.0: version "2.0.0" @@ -899,11 +1719,45 @@ ms@^2.1.1: resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.1.tgz#30a5864eb3ebb0a66f2ebe6d727af06a09d86e0a" integrity sha512-tgp+dl5cGk28utYktBsrFqA7HKgrhgPsg6Z/EfhWI4gl1Hwq8B/GmY/0oXZ6nF8hDVesS/FpnYaD/kOWhYQvyg== +mute-stream@0.0.7: + version "0.0.7" + resolved "https://registry.yarnpkg.com/mute-stream/-/mute-stream-0.0.7.tgz#3075ce93bc21b8fab43e1bc4da7e8115ed1e7bab" + integrity sha1-MHXOk7whuPq0PhvE2n6BFe0ee6s= + +nconf@^0.10.0: + version "0.10.0" + resolved "https://registry.yarnpkg.com/nconf/-/nconf-0.10.0.tgz#da1285ee95d0a922ca6cee75adcf861f48205ad2" + integrity sha512-fKiXMQrpP7CYWJQzKkPPx9hPgmq+YLDyxcG9N8RpiE9FoCkCbzD0NyW0YhE3xn3Aupe7nnDeIx4PFzYehpHT9Q== + dependencies: + async "^1.4.0" + ini "^1.3.0" + secure-keys "^1.0.0" + yargs "^3.19.0" + +needle@^2.2.4, needle@^2.4.0: + version "2.4.0" + resolved "https://registry.yarnpkg.com/needle/-/needle-2.4.0.tgz#6833e74975c444642590e15a750288c5f939b57c" + integrity sha512-4Hnwzr3mi5L97hMYeNl8wRW/Onhy4nUKR/lVemJ8gJedxxUyBLm9kkrDColJvoSfwi0jCNhD+xCdOtiGDQiRZg== + dependencies: + debug "^3.2.6" + iconv-lite "^0.4.4" + sax "^1.2.4" + +netmask@^1.0.6: + version "1.0.6" + resolved "https://registry.yarnpkg.com/netmask/-/netmask-1.0.6.tgz#20297e89d86f6f6400f250d9f4f6b4c1945fcd35" + integrity sha1-ICl+idhvb2QA8lDZ9Pa0wZRfzTU= + nice-try@^1.0.4: version "1.0.5" resolved "https://registry.yarnpkg.com/nice-try/-/nice-try-1.0.5.tgz#a3378a7696ce7d223e88fc9b764bd7ef1089e366" integrity sha512-1nh45deeb5olNY7eX82BkPO7SSxR5SSYJiPTrTdFUVYwAl8CKMA5N9PjTYkHiRjisVcxcQ1HXdLhx2qxxJzLNQ== +normalize-url@^3.3.0: + version "3.3.0" + resolved "https://registry.yarnpkg.com/normalize-url/-/normalize-url-3.3.0.tgz#b2e1c4dc4f7c6d57743df733a4f5978d18650559" + integrity sha512-U+JJi7duF1o+u2pynbp2zXDW2/PADgC30f0GsHZtRh+HOcXHnw137TrNlyxxRvWW5fjKd3bcLHPxofWuCjaeZg== + npm-run-path@^2.0.0: version "2.0.2" resolved "https://registry.yarnpkg.com/npm-run-path/-/npm-run-path-2.0.2.tgz#35a9232dfa35d7067b4cb2ddf2357b1871536c5f" @@ -916,17 +1770,22 @@ number-is-nan@^1.0.0: resolved "https://registry.yarnpkg.com/number-is-nan/-/number-is-nan-1.0.1.tgz#097b602b53422a522c1afb8790318336941a011d" integrity sha1-CXtgK1NCKlIsGvuHkDGDNpQaAR0= -oauth-sign@~0.8.2: - version "0.8.2" - resolved "https://registry.yarnpkg.com/oauth-sign/-/oauth-sign-0.8.2.tgz#46a6ab7f0aead8deae9ec0565780b7d4efeb9d43" - integrity sha1-Rqarfwrq2N6unsBWV4C31O/rnUM= +oauth-sign@~0.9.0: + version "0.9.0" + resolved "https://registry.yarnpkg.com/oauth-sign/-/oauth-sign-0.9.0.tgz#47a7b016baa68b5fa0ecf3dee08a85c679ac6455" + integrity sha512-fexhUFFPTGV8ybAtSIGbV6gOkSv8UtRbDBnAyLQw4QPKkgNlsH2ByPGtMUqdWkos6YCRmAqViwgZrJc/mRDzZQ== object-assign@^4.0.1, object-assign@^4.1.0: version "4.1.1" resolved "https://registry.yarnpkg.com/object-assign/-/object-assign-4.1.1.tgz#2109adc7965887cfc05cbbd442cac8bfbb360863" integrity sha1-IQmtx5ZYh8/AXLvUQsrIv7s2CGM= -once@^1.3.0: +object-hash@^1.3.1: + version "1.3.1" + resolved "https://registry.yarnpkg.com/object-hash/-/object-hash-1.3.1.tgz#fde452098a951cb145f039bb7d455449ddc126df" + integrity sha512-OSuu/pU4ENM9kmREg0BdNrUDIl1heYa4mBZacJc+vVWz4GtAwu7jO8s4AIt2aGRUTqxykpWzI3Oqnsm13tTMDA== + +once@^1.3.0, once@^1.3.1, once@^1.4.0: version "1.4.0" resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1" integrity sha1-WDsap3WWHUsROsF9nFC6753Xa9E= @@ -938,6 +1797,32 @@ onetime@^1.0.0: resolved "https://registry.yarnpkg.com/onetime/-/onetime-1.1.0.tgz#a1f7838f8314c516f05ecefcbc4ccfe04b4ed789" integrity sha1-ofeDj4MUxRbwXs78vEzP4EtO14k= +onetime@^2.0.0: + version "2.0.1" + resolved "https://registry.yarnpkg.com/onetime/-/onetime-2.0.1.tgz#067428230fd67443b2794b22bba528b6867962d4" + integrity sha1-BnQoIw/WdEOyeUsiu6UotoZ5YtQ= + dependencies: + mimic-fn "^1.0.0" + +opn@^5.5.0: + version "5.5.0" + resolved "https://registry.yarnpkg.com/opn/-/opn-5.5.0.tgz#fc7164fab56d235904c51c3b27da6758ca3b9bfc" + integrity sha512-PqHpggC9bLV0VeWcdKhkpxY+3JTzetLSqTCWL/z/tFIbI6G8JCjondXklT1JinczLz2Xib62sSp0T/gKT4KksA== + dependencies: + is-wsl "^1.1.0" + +optionator@^0.8.1: + version "0.8.3" + resolved "https://registry.yarnpkg.com/optionator/-/optionator-0.8.3.tgz#84fa1d036fe9d3c7e21d99884b601167ec8fb495" + integrity sha512-+IW9pACdk3XWmmTXG8m3upGUJst5XRGzxMRjXzAuJ1XnIFNvfhjjIuYkDvysnPQ7qzqVzLt78BCruntqRhWQbA== + dependencies: + deep-is "~0.1.3" + fast-levenshtein "~2.0.6" + levn "~0.3.0" + prelude-ls "~1.1.2" + type-check "~0.3.2" + word-wrap "~1.2.3" + ora@^0.2.3: version "0.2.3" resolved "https://registry.yarnpkg.com/ora/-/ora-0.2.3.tgz#37527d220adcd53c39b73571d754156d5db657a4" @@ -953,7 +1838,22 @@ os-homedir@^1.0.1: resolved "https://registry.yarnpkg.com/os-homedir/-/os-homedir-1.0.2.tgz#ffbc4988336e0e833de0c168c7ef152121aa7fb3" integrity sha1-/7xJiDNuDoM94MFox+8VISGqf7M= -os-tmpdir@~1.0.1: +os-locale@^1.4.0: + version "1.4.0" + resolved "https://registry.yarnpkg.com/os-locale/-/os-locale-1.4.0.tgz#20f9f17ae29ed345e8bde583b13d2009803c14d9" + integrity sha1-IPnxeuKe00XoveWDsT0gCYA8FNk= + dependencies: + lcid "^1.0.0" + +os-name@^3.0.0: + version "3.1.0" + resolved "https://registry.yarnpkg.com/os-name/-/os-name-3.1.0.tgz#dec19d966296e1cd62d701a5a66ee1ddeae70801" + integrity sha512-h8L+8aNjNcMpo/mAIBPn5PXCM16iyPGjHNWo6U1YO8sJTMHtEtyczI6QJnLoplswm6goopQkqc7OAnjhWcugVg== + dependencies: + macos-release "^2.2.0" + windows-release "^3.1.0" + +os-tmpdir@~1.0.2: version "1.0.2" resolved "https://registry.yarnpkg.com/os-tmpdir/-/os-tmpdir-1.0.2.tgz#bbe67406c79aa85c5cfec766fe5734555dfa1274" integrity sha1-u+Z0BseaqFxc/sdm/lc0VV36EnQ= @@ -963,11 +1863,74 @@ p-finally@^1.0.0: resolved "https://registry.yarnpkg.com/p-finally/-/p-finally-1.0.0.tgz#3fbcfb15b899a44123b34b6dcc18b724336a2cae" integrity sha1-P7z7FbiZpEEjs0ttzBi3JDNqLK4= +p-map@2.1.0: + version "2.1.0" + resolved "https://registry.yarnpkg.com/p-map/-/p-map-2.1.0.tgz#310928feef9c9ecc65b68b17693018a665cea175" + integrity sha512-y3b8Kpd8OAN444hxfBbFfj1FY/RjtTd8tzYwhUqNYXx0fXx2iX4maP4Qr6qhIKbQXI02wTLAda4fYUbDagTUFw== + p-map@^1.1.1: version "1.2.0" resolved "https://registry.yarnpkg.com/p-map/-/p-map-1.2.0.tgz#e4e94f311eabbc8633a1e79908165fca26241b6b" integrity sha512-r6zKACMNhjPJMTl8KcFH4li//gkrXWfbD6feV8l6doRHlzljFWGJ2AP6iKaCJXyZmAUMOPtvbW7EXkbWO/pLEA== +pac-proxy-agent@^3.0.1: + version "3.0.1" + resolved "https://registry.yarnpkg.com/pac-proxy-agent/-/pac-proxy-agent-3.0.1.tgz#115b1e58f92576cac2eba718593ca7b0e37de2ad" + integrity sha512-44DUg21G/liUZ48dJpUSjZnFfZro/0K5JTyFYLBcmh9+T6Ooi4/i4efwUiEy0+4oQusCBqWdhv16XohIj1GqnQ== + dependencies: + agent-base "^4.2.0" + debug "^4.1.1" + get-uri "^2.0.0" + http-proxy-agent "^2.1.0" + https-proxy-agent "^3.0.0" + pac-resolver "^3.0.0" + raw-body "^2.2.0" + socks-proxy-agent "^4.0.1" + +pac-resolver@^3.0.0: + version "3.0.0" + resolved "https://registry.yarnpkg.com/pac-resolver/-/pac-resolver-3.0.0.tgz#6aea30787db0a891704deb7800a722a7615a6f26" + integrity sha512-tcc38bsjuE3XZ5+4vP96OfhOugrX+JcnpUbhfuc4LuXBLQhoTthOstZeoQJBDnQUDYzYmdImKsbz0xSl1/9qeA== + dependencies: + co "^4.6.0" + degenerator "^1.0.4" + ip "^1.1.5" + netmask "^1.0.6" + thunkify "^2.1.2" + +package-json@^4.0.0: + version "4.0.1" + resolved "https://registry.yarnpkg.com/package-json/-/package-json-4.0.1.tgz#8869a0401253661c4c4ca3da6c2121ed555f5eed" + integrity sha1-iGmgQBJTZhxMTKPabCEh7VVfXu0= + dependencies: + got "^6.7.1" + registry-auth-token "^3.0.1" + registry-url "^3.0.3" + semver "^5.1.0" + +pako@~1.0.2: + version "1.0.11" + resolved "https://registry.yarnpkg.com/pako/-/pako-1.0.11.tgz#6c9599d340d54dfd3946380252a35705a6b992bf" + integrity sha512-4hLB8Py4zZce5s4yd9XzopqwVv/yGNhV1Bl8NTmCq1763HeK2+EwVTv+leGeL13Dnh2wfbqowVPXCIO0z4taYw== + +parse-path@^4.0.0: + version "4.0.1" + resolved "https://registry.yarnpkg.com/parse-path/-/parse-path-4.0.1.tgz#0ec769704949778cb3b8eda5e994c32073a1adff" + integrity sha512-d7yhga0Oc+PwNXDvQ0Jv1BuWkLVPXcAoQ/WREgd6vNNoKYaW52KI+RdOFjI63wjkmps9yUE8VS4veP+AgpQ/hA== + dependencies: + is-ssh "^1.3.0" + protocols "^1.4.0" + +parse-url@^5.0.0: + version "5.0.1" + resolved "https://registry.yarnpkg.com/parse-url/-/parse-url-5.0.1.tgz#99c4084fc11be14141efa41b3d117a96fcb9527f" + integrity sha512-flNUPP27r3vJpROi0/R3/2efgKkyXqnXwyP1KQ2U0SfFRgdizOdWfvrrvJg1LuOoxs7GQhmxJlq23IpQ/BkByg== + dependencies: + is-ssh "^1.3.0" + normalize-url "^3.3.0" + parse-path "^4.0.0" + protocols "^1.4.0" + path-is-absolute@^1.0.0: version "1.0.1" resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f" @@ -998,11 +1961,75 @@ pify@^2.2.0: resolved "https://registry.yarnpkg.com/pify/-/pify-2.3.0.tgz#ed141a6ac043a849ea588498e7dca8b15330e90c" integrity sha1-7RQaasBDqEnqWISY59yosVMw6Qw= +pify@^3.0.0: + version "3.0.0" + resolved "https://registry.yarnpkg.com/pify/-/pify-3.0.0.tgz#e5a4acd2c101fdf3d9a4d07f0dbc4db49dd28176" + integrity sha1-5aSs0sEB/fPZpNB/DbxNtJ3SgXY= + +prelude-ls@~1.1.2: + version "1.1.2" + resolved "https://registry.yarnpkg.com/prelude-ls/-/prelude-ls-1.1.2.tgz#21932a549f5e52ffd9a827f570e04be62a97da54" + integrity sha1-IZMqVJ9eUv/ZqCf1cOBL5iqX2lQ= + +prepend-http@^1.0.1: + version "1.0.4" + resolved "https://registry.yarnpkg.com/prepend-http/-/prepend-http-1.0.4.tgz#d4f4562b0ce3696e41ac52d0e002e57a635dc6dc" + integrity sha1-1PRWKwzjaW5BrFLQ4ALlemNdxtw= + process-nextick-args@~2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/process-nextick-args/-/process-nextick-args-2.0.0.tgz#a37d732f4271b4ab1ad070d35508e8290788ffaa" integrity sha512-MtEC1TqN0EU5nephaJ4rAtThHtC86dNN9qCuEhtshvpVBkAW5ZO7BASN9REnF9eoXGcRub+pFuKEpOHE+HbEMw== +"promise@>=3.2 <8": + version "7.3.1" + resolved "https://registry.yarnpkg.com/promise/-/promise-7.3.1.tgz#064b72602b18f90f29192b8b1bc418ffd1ebd3bf" + integrity sha512-nolQXZ/4L+bP/UGlkfaIujX9BKxGwmQ9OT4mOt5yvy8iK1h3wqTEJCijzGANTCCl9nWjY41juyAn2K3Q1hLLTg== + dependencies: + asap "~2.0.3" + +protocols@^1.1.0, protocols@^1.4.0: + version "1.4.7" + resolved "https://registry.yarnpkg.com/protocols/-/protocols-1.4.7.tgz#95f788a4f0e979b291ffefcf5636ad113d037d32" + integrity sha512-Fx65lf9/YDn3hUX08XUc0J8rSux36rEsyiv21ZGUC1mOyeM3lTRpZLcrm8aAolzS4itwVfm7TAPyxC2E5zd6xg== + +proxy-agent@^3.1.1: + version "3.1.1" + resolved "https://registry.yarnpkg.com/proxy-agent/-/proxy-agent-3.1.1.tgz#7e04e06bf36afa624a1540be247b47c970bd3014" + integrity sha512-WudaR0eTsDx33O3EJE16PjBRZWcX8GqCEeERw1W3hZJgH/F2a46g7jty6UGty6NeJ4CKQy8ds2CJPMiyeqaTvw== + dependencies: + agent-base "^4.2.0" + debug "4" + http-proxy-agent "^2.1.0" + https-proxy-agent "^3.0.0" + lru-cache "^5.1.1" + pac-proxy-agent "^3.0.1" + proxy-from-env "^1.0.0" + socks-proxy-agent "^4.0.1" + +proxy-from-env@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/proxy-from-env/-/proxy-from-env-1.0.0.tgz#33c50398f70ea7eb96d21f7b817630a55791c7ee" + integrity sha1-M8UDmPcOp+uW0h97gXYwpVeRx+4= + +pseudomap@^1.0.2: + version "1.0.2" + resolved "https://registry.yarnpkg.com/pseudomap/-/pseudomap-1.0.2.tgz#f052a28da70e618917ef0a8ac34c1ae5a68286b3" + integrity sha1-8FKijacOYYkX7wqKw0wa5aaChrM= + +psl@^1.1.24: + version "1.7.0" + resolved "https://registry.yarnpkg.com/psl/-/psl-1.7.0.tgz#f1c4c47a8ef97167dea5d6bbf4816d736e884a3c" + integrity sha512-5NsSEDv8zY70ScRnOTn7bK7eanl2MvFrOrS/R6x+dBt5g1ghnj9Zv90kO8GwT8gxcu2ANyFprnFYB85IogIJOQ== + +pump@^3.0.0: + version "3.0.0" + resolved "https://registry.yarnpkg.com/pump/-/pump-3.0.0.tgz#b4a2116815bde2f4e1ea602354e8c75565107a64" + integrity sha512-LwZy+p3SFs1Pytd/jYct4wpv49HiYCqd9Rlc5ZVdk0V+8Yzv6jR5Blk3TRmPL1ft69TxP0IMZGJ+WPFU2BFhww== + dependencies: + end-of-stream "^1.1.0" + once "^1.3.1" + punycode@1.3.2: version "1.3.2" resolved "https://registry.yarnpkg.com/punycode/-/punycode-1.3.2.tgz#9653a036fb7c1ee42342f2325cceefea3926c48d" @@ -1013,7 +2040,12 @@ punycode@^1.4.1: resolved "https://registry.yarnpkg.com/punycode/-/punycode-1.4.1.tgz#c0d5a63b2718800ad8e1eb0fa5269c84dd41845e" integrity sha1-wNWmOycYgArY4esPpSachN1BhF4= -qs@~6.5.1: +punycode@^2.1.0: + version "2.1.1" + resolved "https://registry.yarnpkg.com/punycode/-/punycode-2.1.1.tgz#b58b010ac40c22c5657616c8d2c2c02c7bf479ec" + integrity sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A== + +qs@~6.5.2: version "6.5.2" resolved "https://registry.yarnpkg.com/qs/-/qs-6.5.2.tgz#cb3ae806e8740444584ef154ce8ee98d403f3e36" integrity sha512-N5ZAX4/LxJmF+7wN74pUD6qAh9/wnvdQcjq9TZjevvXzSUo7bfmw91saqMjzGS2xq91/odN2dW/WOl7qQHNDGA== @@ -1028,6 +2060,49 @@ ramda@0.24.1: resolved "https://registry.yarnpkg.com/ramda/-/ramda-0.24.1.tgz#c3b7755197f35b8dc3502228262c4c91ddb6b857" integrity sha1-w7d1UZfzW43DUCIoJixMkd22uFc= +raw-body@^2.2.0: + version "2.4.1" + resolved "https://registry.yarnpkg.com/raw-body/-/raw-body-2.4.1.tgz#30ac82f98bb5ae8c152e67149dac8d55153b168c" + integrity sha512-9WmIKF6mkvA0SLmA2Knm9+qj89e+j1zqgyn8aXGd7+nAduPoqgI9lO57SAZNn/Byzo5P7JhXTyg9PzaJbH73bA== + dependencies: + bytes "3.1.0" + http-errors "1.7.3" + iconv-lite "0.4.24" + unpipe "1.0.0" + +rc@^1.0.1, rc@^1.1.6: + version "1.2.8" + resolved "https://registry.yarnpkg.com/rc/-/rc-1.2.8.tgz#cd924bf5200a075b83c188cd6b9e211b7fc0d3ed" + integrity sha512-y3bGgqKj3QBdxLbLkomlohkvsA8gdAiUQlSBJnBhfn+BPxg4bc62d8TcBW15wavDfgexCgccckhcZvywyQYPOw== + dependencies: + deep-extend "^0.6.0" + ini "~1.3.0" + minimist "^1.2.0" + strip-json-comments "~2.0.1" + +readable-stream@1.1.x: + version "1.1.14" + resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-1.1.14.tgz#7cf4c54ef648e3813084c636dd2079e166c081d9" + integrity sha1-fPTFTvZI44EwhMY23SB54WbAgdk= + dependencies: + core-util-is "~1.0.0" + inherits "~2.0.1" + isarray "0.0.1" + string_decoder "~0.10.x" + +readable-stream@2, readable-stream@~2.3.6: + version "2.3.7" + resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-2.3.7.tgz#1eca1cf711aef814c04f62252a36a62f6cb23b57" + integrity sha512-Ebho8K4jIbHAxnuxi7o42OrZgF/ZTNcsZj6nRKyUmkhLFq8CHItp/fy6hQZuZmP/n3yZ9VBUbp4zz/mX8hmYPw== + dependencies: + core-util-is "~1.0.0" + inherits "~2.0.3" + isarray "~1.0.0" + process-nextick-args "~2.0.0" + safe-buffer "~5.1.1" + string_decoder "~1.1.1" + util-deprecate "~1.0.1" + readable-stream@^2.2.2: version "2.3.6" resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-2.3.6.tgz#b11c27d88b8ff1fbe070643cf94b0c79ae1b0aaf" @@ -1041,10 +2116,29 @@ readable-stream@^2.2.2: string_decoder "~1.1.1" util-deprecate "~1.0.1" -regenerator-runtime@^0.11.0: - version "0.11.1" - resolved "https://registry.yarnpkg.com/regenerator-runtime/-/regenerator-runtime-0.11.1.tgz#be05ad7f9bf7d22e056f9726cee5017fbf19e2e9" - integrity sha512-MguG95oij0fC3QV3URf4V2SDYGJhJnJGqvIIgdECeODCT98wSWDAJ94SSuVpYQUoTcGUIL6L4yNB7j1DFFHSBg== +readable-stream@^3.0.1, readable-stream@^3.1.1: + version "3.5.0" + resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-3.5.0.tgz#465d70e6d1087f6162d079cd0b5db7fbebfd1606" + integrity sha512-gSz026xs2LfxBPudDuI41V1lka8cxg64E66SGe78zJlsUofOg/yqwezdIcdfwik6B4h8LFmWPA9ef9X3FiNFLA== + dependencies: + inherits "^2.0.3" + string_decoder "^1.1.1" + util-deprecate "^1.0.1" + +registry-auth-token@^3.0.1: + version "3.4.0" + resolved "https://registry.yarnpkg.com/registry-auth-token/-/registry-auth-token-3.4.0.tgz#d7446815433f5d5ed6431cd5dca21048f66b397e" + integrity sha512-4LM6Fw8eBQdwMYcES4yTnn2TqIasbXuwDx3um+QRs7S55aMKCBKBxvPXl2RiUjHwuJLTyYfxSpmfSAjQpcuP+A== + dependencies: + rc "^1.1.6" + safe-buffer "^5.0.1" + +registry-url@^3.0.3: + version "3.1.0" + resolved "https://registry.yarnpkg.com/registry-url/-/registry-url-3.1.0.tgz#3d4ef870f73dde1d77f0cf9a381432444e174942" + integrity sha1-PU74cPc93h138M+aOBQyRE4XSUI= + dependencies: + rc "^1.0.1" repeating@^2.0.0: version "2.0.1" @@ -1053,38 +2147,38 @@ repeating@^2.0.0: dependencies: is-finite "^1.0.0" -request-progress@0.3.1: - version "0.3.1" - resolved "https://registry.yarnpkg.com/request-progress/-/request-progress-0.3.1.tgz#0721c105d8a96ac6b2ce8b2c89ae2d5ecfcf6b3a" - integrity sha1-ByHBBdipasayzossia4tXs/Pazo= +request-progress@3.0.0: + version "3.0.0" + resolved "https://registry.yarnpkg.com/request-progress/-/request-progress-3.0.0.tgz#4ca754081c7fec63f505e4faa825aa06cd669dbe" + integrity sha1-TKdUCBx/7GP1BeT6qCWqBs1mnb4= dependencies: - throttleit "~0.0.2" + throttleit "^1.0.0" -request@2.87.0: - version "2.87.0" - resolved "https://registry.yarnpkg.com/request/-/request-2.87.0.tgz#32f00235cd08d482b4d0d68db93a829c0ed5756e" - integrity sha512-fcogkm7Az5bsS6Sl0sibkbhcKsnyon/jV1kF3ajGmF0c8HrttdKTPRT9hieOaQHA5HEq6r8OyWOo/o781C1tNw== +request@2.88.0: + version "2.88.0" + resolved "https://registry.yarnpkg.com/request/-/request-2.88.0.tgz#9c2fca4f7d35b592efe57c7f0a55e81052124fef" + integrity sha512-NAqBSrijGLZdM0WZNsInLJpkJokL72XYjUpnB0iwsRgxh7dB6COrHnTBNwN0E+lHDAJzu7kLAkDeY08z2/A0hg== dependencies: aws-sign2 "~0.7.0" - aws4 "^1.6.0" + aws4 "^1.8.0" caseless "~0.12.0" - combined-stream "~1.0.5" - extend "~3.0.1" + combined-stream "~1.0.6" + extend "~3.0.2" forever-agent "~0.6.1" - form-data "~2.3.1" - har-validator "~5.0.3" + form-data "~2.3.2" + har-validator "~5.1.0" http-signature "~1.2.0" is-typedarray "~1.0.0" isstream "~0.1.2" json-stringify-safe "~5.0.1" - mime-types "~2.1.17" - oauth-sign "~0.8.2" + mime-types "~2.1.19" + oauth-sign "~0.9.0" performance-now "^2.1.0" - qs "~6.5.1" - safe-buffer "^5.1.1" - tough-cookie "~2.3.3" + qs "~6.5.2" + safe-buffer "^5.1.2" + tough-cookie "~2.4.3" tunnel-agent "^0.6.0" - uuid "^3.1.0" + uuid "^3.3.2" restore-cursor@^1.0.1: version "1.0.1" @@ -1094,6 +2188,28 @@ restore-cursor@^1.0.1: exit-hook "^1.0.0" onetime "^1.0.0" +restore-cursor@^2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/restore-cursor/-/restore-cursor-2.0.0.tgz#9f7ee287f82fd326d4fd162923d62129eee0dfaf" + integrity sha1-n37ih/gv0ybU/RYpI9YhKe7g368= + dependencies: + onetime "^2.0.0" + signal-exit "^3.0.2" + +rimraf@^2.6.3: + version "2.7.1" + resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-2.7.1.tgz#35797f13a7fdadc566142c29d4f07ccad483e3ec" + integrity sha512-uWjbaKIK3T1OSVptzX7Nl6PvQ3qAGtKEtVRjRuazjfL3Bx5eI409VZSqgND+4UNnmzLVdPj9FqFJNPqBZFve4w== + dependencies: + glob "^7.1.3" + +run-async@^2.2.0: + version "2.3.0" + resolved "https://registry.yarnpkg.com/run-async/-/run-async-2.3.0.tgz#0371ab4ae0bdd720d4166d7dfda64ff7a445a6c0" + integrity sha1-A3GrSuC91yDUFm19/aZP96RFpsA= + dependencies: + is-promise "^2.1.0" + rxjs@^5.0.0-beta.11: version "5.5.12" resolved "https://registry.yarnpkg.com/rxjs/-/rxjs-5.5.12.tgz#6fa61b8a77c3d793dbaf270bee2f43f652d741cc" @@ -1101,21 +2217,70 @@ rxjs@^5.0.0-beta.11: dependencies: symbol-observable "1.0.1" -safe-buffer@^5.0.1, safe-buffer@^5.1.1, safe-buffer@~5.1.0, safe-buffer@~5.1.1: +rxjs@^6.4.0: + version "6.5.4" + resolved "https://registry.yarnpkg.com/rxjs/-/rxjs-6.5.4.tgz#e0777fe0d184cec7872df147f303572d414e211c" + integrity sha512-naMQXcgEo3csAEGvw/NydRA0fuS2nDZJiw1YUWFKU7aPPAPGZEsD4Iimit96qwCieH6y614MCLYwdkrWx7z/7Q== + dependencies: + tslib "^1.9.0" + +safe-buffer@^5.0.1, safe-buffer@~5.1.0, safe-buffer@~5.1.1: version "5.1.2" resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.1.2.tgz#991ec69d296e0313747d59bdfd2b745c35f8828d" integrity sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g== -safer-buffer@^2.0.2, safer-buffer@^2.1.0, safer-buffer@~2.1.0: +safe-buffer@^5.1.2, safe-buffer@~5.2.0: + version "5.2.0" + resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.2.0.tgz#b74daec49b1148f88c64b68d49b1e815c1f2f519" + integrity sha512-fZEwUGbVl7kouZs1jCdMLdt95hdIv0ZeHg6L7qPeciMZhZ+/gdesW4wgTARkrFWEpspjEATAzUGPG8N2jJiwbg== + +"safer-buffer@>= 2.1.2 < 3", safer-buffer@^2.0.2, safer-buffer@^2.1.0, safer-buffer@~2.1.0: version "2.1.2" resolved "https://registry.yarnpkg.com/safer-buffer/-/safer-buffer-2.1.2.tgz#44fa161b0187b9549dd84bb91802f9bd8385cd6a" integrity sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg== +sax@>=0.6.0, sax@^1.2.4: + version "1.2.4" + resolved "https://registry.yarnpkg.com/sax/-/sax-1.2.4.tgz#2816234e2378bddc4e5354fab5caa895df7100d9" + integrity sha512-NqVDv9TpANUjFm0N8uM5GxL36UgKi9/atZw+x7YFnQ8ckwFGKrl4xX4yWtrey3UJm5nP1kUbnYgLopqWNSRhWw== + +secure-keys@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/secure-keys/-/secure-keys-1.0.0.tgz#f0c82d98a3b139a8776a8808050b824431087fca" + integrity sha1-8MgtmKOxOah3aogIBQuCRDEIf8o= + +semver-diff@^2.0.0: + version "2.1.0" + resolved "https://registry.yarnpkg.com/semver-diff/-/semver-diff-2.1.0.tgz#4bbb8437c8d37e4b0cf1a68fd726ec6d645d6d36" + integrity sha1-S7uEN8jTfksM8aaP1ybsbWRdbTY= + dependencies: + semver "^5.0.3" + +semver@^5.0.3, semver@^5.1.0, semver@^5.5.1: + version "5.7.1" + resolved "https://registry.yarnpkg.com/semver/-/semver-5.7.1.tgz#a954f931aeba508d307bbf069eff0c01c96116f7" + integrity sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ== + semver@^5.5.0: version "5.6.0" resolved "https://registry.yarnpkg.com/semver/-/semver-5.6.0.tgz#7e74256fbaa49c75aa7c7a205cc22799cac80004" integrity sha512-RS9R6R35NYgQn++fkDWaOmqGoj4Ek9gGs+DPxNUZKuwE183xjJroKvyo1IzVFeXvUrvmALy6FWD5xrdJT25gMg== +semver@^6.0.0, semver@^6.1.0, semver@^6.1.2: + version "6.3.0" + resolved "https://registry.yarnpkg.com/semver/-/semver-6.3.0.tgz#ee0a64c8af5e8ceea67687b133761e1becbd1d3d" + integrity sha512-b39TBaTSfV6yBrapU89p5fKekE2m/NwnDocOVruQFS1/veMgdzuPcnOM34M6CwxW8jH/lxEa5rBoDeUwu5HHTw== + +set-immediate-shim@~1.0.1: + version "1.0.1" + resolved "https://registry.yarnpkg.com/set-immediate-shim/-/set-immediate-shim-1.0.1.tgz#4b2b1b27eb808a9f8dcc481a58e5e56f599f3f61" + integrity sha1-SysbJ+uAip+NzEgaWOXlb1mfP2E= + +setprototypeof@1.1.1: + version "1.1.1" + resolved "https://registry.yarnpkg.com/setprototypeof/-/setprototypeof-1.1.1.tgz#7e95acb24aa92f5885e0abef5ba131330d4ae683" + integrity sha512-JvdAWfbXeIGaZ9cILp38HntZSFSo3mWg6xGcJJsd+d4aRMOqauag1C63dJfDw7OaMYwEbHMOxEZ1lqVRYP2OAw== + shebang-command@^1.2.0: version "1.2.0" resolved "https://registry.yarnpkg.com/shebang-command/-/shebang-command-1.2.0.tgz#44aac65b695b03398968c39f363fee5deafdf1ea" @@ -1128,7 +2293,7 @@ shebang-regex@^1.0.0: resolved "https://registry.yarnpkg.com/shebang-regex/-/shebang-regex-1.0.0.tgz#da42f49740c0b42db2ca9728571cb190c98efea3" integrity sha1-2kL0l0DAtC2yypcoVxyxkMmO/qM= -signal-exit@^3.0.0: +signal-exit@^3.0.0, signal-exit@^3.0.2: version "3.0.2" resolved "https://registry.yarnpkg.com/signal-exit/-/signal-exit-3.0.2.tgz#b5fdc08f1287ea1178628e415e25132b73646c6d" integrity sha1-tf3AjxKH6hF4Yo5BXiUTK3NkbG0= @@ -1138,6 +2303,293 @@ slice-ansi@0.0.4: resolved "https://registry.yarnpkg.com/slice-ansi/-/slice-ansi-0.0.4.tgz#edbf8903f66f7ce2f8eafd6ceed65e264c831b35" integrity sha1-7b+JA/ZvfOL46v1s7tZeJkyDGzU= +smart-buffer@^4.1.0: + version "4.1.0" + resolved "https://registry.yarnpkg.com/smart-buffer/-/smart-buffer-4.1.0.tgz#91605c25d91652f4661ea69ccf45f1b331ca21ba" + integrity sha512-iVICrxOzCynf/SNaBQCw34eM9jROU/s5rzIhpOvzhzuYHfJR/DhZfDkXiZSgKXfgv26HT3Yni3AV/DGw0cGnnw== + +snyk-config@^2.2.1: + version "2.2.3" + resolved "https://registry.yarnpkg.com/snyk-config/-/snyk-config-2.2.3.tgz#8e09bb98602ad044954d30a9fc1695ab5b6042fa" + integrity sha512-9NjxHVMd1U1LFw66Lya4LXgrsFUiuRiL4opxfTFo0LmMNzUoU5Bk/p0zDdg3FE5Wg61r4fP2D8w+QTl6M8CGiw== + dependencies: + debug "^3.1.0" + lodash "^4.17.15" + nconf "^0.10.0" + +snyk-docker-plugin@1.38.0: + version "1.38.0" + resolved "https://registry.yarnpkg.com/snyk-docker-plugin/-/snyk-docker-plugin-1.38.0.tgz#afe0ac316e461b200bcd0063295a3f8bd3655e93" + integrity sha512-43HbJj6QatuL2BNG+Uq2Taa73wdfSQSID8FJWW4q5/LYgd9D+RtdiE4lAMwxqYYbvThU9uuza4epuF/B1CAlYw== + dependencies: + debug "^4.1.1" + dockerfile-ast "0.0.18" + event-loop-spinner "^1.1.0" + semver "^6.1.0" + tar-stream "^2.1.0" + tslib "^1" + +snyk-go-parser@1.3.1: + version "1.3.1" + resolved "https://registry.yarnpkg.com/snyk-go-parser/-/snyk-go-parser-1.3.1.tgz#427387507578baf008a3e73828e0e53ed8c796f3" + integrity sha512-jrFRfIk6yGHFeipGD66WV9ei/A/w/lIiGqI80w1ndMbg6D6M5pVNbK7ngDTmo4GdHrZDYqx/VBGBsUm2bol3Rg== + dependencies: + toml "^3.0.0" + tslib "^1.9.3" + +snyk-go-plugin@1.11.1: + version "1.11.1" + resolved "https://registry.yarnpkg.com/snyk-go-plugin/-/snyk-go-plugin-1.11.1.tgz#cd7c73c42bd3cf5faa2a90a54cd7c6db926fea5d" + integrity sha512-IsNi7TmpHoRHzONOWJTT8+VYozQJnaJpKgnYNQjzNm2JlV8bDGbdGQ1a8LcEoChxnJ8v8aMZy7GTiQyGGABtEQ== + dependencies: + debug "^4.1.1" + graphlib "^2.1.1" + snyk-go-parser "1.3.1" + tmp "0.0.33" + tslib "^1.10.0" + +snyk-gradle-plugin@3.2.4: + version "3.2.4" + resolved "https://registry.yarnpkg.com/snyk-gradle-plugin/-/snyk-gradle-plugin-3.2.4.tgz#c1ff1dfbbe3c1a254d0da54a91c3f59c1b5582ca" + integrity sha512-XmS1gl7uZNHP9HP5RaPuRXW3VjkbdWe+EgSOlvmspztkubIOIainqc87k7rIJ6u3tLBhqsZK8b5ru0/E9Q69hQ== + dependencies: + "@snyk/cli-interface" "2.3.0" + "@types/debug" "^4.1.4" + chalk "^2.4.2" + debug "^4.1.1" + tmp "0.0.33" + tslib "^1.9.3" + +snyk-module@1.9.1, snyk-module@^1.6.0, snyk-module@^1.9.1: + version "1.9.1" + resolved "https://registry.yarnpkg.com/snyk-module/-/snyk-module-1.9.1.tgz#b2a78f736600b0ab680f1703466ed7309c980804" + integrity sha512-A+CCyBSa4IKok5uEhqT+hV/35RO6APFNLqk9DRRHg7xW2/j//nPX8wTSZUPF8QeRNEk/sX+6df7M1y6PBHGSHA== + dependencies: + debug "^3.1.0" + hosted-git-info "^2.7.1" + +snyk-mvn-plugin@2.7.0: + version "2.7.0" + resolved "https://registry.yarnpkg.com/snyk-mvn-plugin/-/snyk-mvn-plugin-2.7.0.tgz#39996df2a878b16a7e3cbe5b63a7c43855031d49" + integrity sha512-DLBt+6ZvtoleXE7Si3wAa6gdPSWsXdIQEY6m2zW2InN9WiaRwIEKMCY822eFmRPZVNNmZNRUIeQsoHZwv/slqQ== + dependencies: + "@snyk/cli-interface" "2.2.0" + debug "^4.1.1" + lodash "^4.17.15" + needle "^2.4.0" + tmp "^0.1.0" + tslib "1.9.3" + +snyk-nodejs-lockfile-parser@1.17.0: + version "1.17.0" + resolved "https://registry.yarnpkg.com/snyk-nodejs-lockfile-parser/-/snyk-nodejs-lockfile-parser-1.17.0.tgz#709e1d8c83faccae3bfdac5c10620dcedbf8c4ac" + integrity sha512-i4GAYFj9TJLOQ8F+FbIJuJWdGymi8w/XcrEX0FzXk7DpYUCY3mWibyKhw8RasfYBx5vLwUzEvRMaQuc2EwlyfA== + dependencies: + "@yarnpkg/lockfile" "^1.0.2" + graphlib "^2.1.5" + lodash "^4.17.14" + p-map "2.1.0" + source-map-support "^0.5.7" + tslib "^1.9.3" + uuid "^3.3.2" + +snyk-nuget-plugin@1.16.0: + version "1.16.0" + resolved "https://registry.yarnpkg.com/snyk-nuget-plugin/-/snyk-nuget-plugin-1.16.0.tgz#241c6c8a417429c124c3ebf6db314a14eb8eed89" + integrity sha512-OEusK3JKKpR4Yto5KwuqjQGgb9wAhmDqBWSQomWdtKQVFrzn5B6BMzOFikUzmeMTnUGGON7gurQBLXeZZLhRqg== + dependencies: + debug "^3.1.0" + dotnet-deps-parser "4.9.0" + jszip "^3.1.5" + lodash "^4.17.14" + snyk-paket-parser "1.5.0" + tslib "^1.9.3" + xml2js "^0.4.17" + +snyk-paket-parser@1.5.0: + version "1.5.0" + resolved "https://registry.yarnpkg.com/snyk-paket-parser/-/snyk-paket-parser-1.5.0.tgz#a0e96888d9d304b1ae6203a0369971575f099548" + integrity sha512-1CYMPChJ9D9LBy3NLqHyv8TY7pR/LMISSr08LhfFw/FpfRZ+gTH8W6bbxCmybAYrOFNCqZkRprqOYDqZQFHipA== + dependencies: + tslib "^1.9.3" + +snyk-php-plugin@1.7.0: + version "1.7.0" + resolved "https://registry.yarnpkg.com/snyk-php-plugin/-/snyk-php-plugin-1.7.0.tgz#cf1906ed8a10db134c803be3d6e4be0cbdc5fe33" + integrity sha512-mDe90xkqSEVrpx1ZC7ItqCOc6fZCySbE+pHVI+dAPUmf1C1LSWZrZVmAVeo/Dw9sJzJfzmcdAFQl+jZP8/uV0A== + dependencies: + "@snyk/cli-interface" "2.2.0" + "@snyk/composer-lockfile-parser" "1.2.0" + tslib "1.9.3" + +snyk-policy@1.13.5: + version "1.13.5" + resolved "https://registry.yarnpkg.com/snyk-policy/-/snyk-policy-1.13.5.tgz#c5cf262f759879a65ab0810dd58d59c8ec7e9e47" + integrity sha512-KI6GHt+Oj4fYKiCp7duhseUj5YhyL/zJOrrJg0u6r59Ux9w8gmkUYT92FHW27ihwuT6IPzdGNEuy06Yv2C9WaQ== + dependencies: + debug "^3.1.0" + email-validator "^2.0.4" + js-yaml "^3.13.1" + lodash.clonedeep "^4.5.0" + semver "^6.0.0" + snyk-module "^1.9.1" + snyk-resolve "^1.0.1" + snyk-try-require "^1.3.1" + then-fs "^2.0.0" + +snyk-python-plugin@1.16.0: + version "1.16.0" + resolved "https://registry.yarnpkg.com/snyk-python-plugin/-/snyk-python-plugin-1.16.0.tgz#0eae3c085a87b7d91f8097f598571104c01e0f08" + integrity sha512-IA53xOcy1s881tbIrIXNqIuCNozd4PAVWN8oF0xgRn2NQbq0e7EWt7kFPJbmZodpLCDpXaKKqV2MHbXruFIsrw== + dependencies: + "@snyk/cli-interface" "^2.0.3" + tmp "0.0.33" + +snyk-resolve-deps@4.4.0: + version "4.4.0" + resolved "https://registry.yarnpkg.com/snyk-resolve-deps/-/snyk-resolve-deps-4.4.0.tgz#ef20fb578a4c920cc262fb73dd292ff21215f52d" + integrity sha512-aFPtN8WLqIk4E1ulMyzvV5reY1Iksz+3oPnUVib1jKdyTHymmOIYF7z8QZ4UUr52UsgmrD9EA/dq7jpytwFoOQ== + dependencies: + "@types/node" "^6.14.4" + "@types/semver" "^5.5.0" + ansicolors "^0.3.2" + debug "^3.2.5" + lodash.assign "^4.2.0" + lodash.assignin "^4.2.0" + lodash.clone "^4.5.0" + lodash.flatten "^4.4.0" + lodash.get "^4.4.2" + lodash.set "^4.3.2" + lru-cache "^4.0.0" + semver "^5.5.1" + snyk-module "^1.6.0" + snyk-resolve "^1.0.0" + snyk-tree "^1.0.0" + snyk-try-require "^1.1.1" + then-fs "^2.0.0" + +snyk-resolve@1.0.1, snyk-resolve@^1.0.0, snyk-resolve@^1.0.1: + version "1.0.1" + resolved "https://registry.yarnpkg.com/snyk-resolve/-/snyk-resolve-1.0.1.tgz#eaa4a275cf7e2b579f18da5b188fe601b8eed9ab" + integrity sha512-7+i+LLhtBo1Pkth01xv+RYJU8a67zmJ8WFFPvSxyCjdlKIcsps4hPQFebhz+0gC5rMemlaeIV6cqwqUf9PEDpw== + dependencies: + debug "^3.1.0" + then-fs "^2.0.0" + +snyk-sbt-plugin@2.11.0: + version "2.11.0" + resolved "https://registry.yarnpkg.com/snyk-sbt-plugin/-/snyk-sbt-plugin-2.11.0.tgz#f5469dcf5589e34575fc901e2064475582cc3e48" + integrity sha512-wUqHLAa3MzV6sVO+05MnV+lwc+T6o87FZZaY+43tQPytBI2Wq23O3j4POREM4fa2iFfiQJoEYD6c7xmhiEUsSA== + dependencies: + debug "^4.1.1" + semver "^6.1.2" + tmp "^0.1.0" + tree-kill "^1.2.2" + tslib "^1.10.0" + +snyk-tree@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/snyk-tree/-/snyk-tree-1.0.0.tgz#0fb73176dbf32e782f19100294160448f9111cc8" + integrity sha1-D7cxdtvzLngvGRAClBYESPkRHMg= + dependencies: + archy "^1.0.0" + +snyk-try-require@1.3.1, snyk-try-require@^1.1.1, snyk-try-require@^1.3.1: + version "1.3.1" + resolved "https://registry.yarnpkg.com/snyk-try-require/-/snyk-try-require-1.3.1.tgz#6e026f92e64af7fcccea1ee53d524841e418a212" + integrity sha1-bgJvkuZK9/zM6h7lPVJIQeQYohI= + dependencies: + debug "^3.1.0" + lodash.clonedeep "^4.3.0" + lru-cache "^4.0.0" + then-fs "^2.0.0" + +snyk@^1.288.0: + version "1.288.0" + resolved "https://registry.yarnpkg.com/snyk/-/snyk-1.288.0.tgz#ea0ab2cd29ccbc9575a7bfae9ecfaf8adf0cbcc3" + integrity sha512-w4um5kCDm4rBbBKq2Vs1imuOoCDkfgI3iLhw7B3oV4F00NjWKQmEC/g7kPTaMNnIS3PP1y+eljd3TD3Rwtc9Ag== + dependencies: + "@snyk/cli-interface" "2.3.0" + "@snyk/dep-graph" "1.13.1" + "@snyk/gemfile" "1.2.0" + "@snyk/snyk-cocoapods-plugin" "2.0.1" + "@types/agent-base" "^4.2.0" + "@types/restify" "^4.3.6" + abbrev "^1.1.1" + ansi-escapes "3.2.0" + chalk "^2.4.2" + cli-spinner "0.2.10" + configstore "^3.1.2" + debug "^3.1.0" + diff "^4.0.1" + git-url-parse "11.1.2" + glob "^7.1.3" + inquirer "^6.2.2" + lodash "^4.17.14" + needle "^2.2.4" + opn "^5.5.0" + os-name "^3.0.0" + proxy-agent "^3.1.1" + proxy-from-env "^1.0.0" + semver "^6.0.0" + snyk-config "^2.2.1" + snyk-docker-plugin "1.38.0" + snyk-go-plugin "1.11.1" + snyk-gradle-plugin "3.2.4" + snyk-module "1.9.1" + snyk-mvn-plugin "2.7.0" + snyk-nodejs-lockfile-parser "1.17.0" + snyk-nuget-plugin "1.16.0" + snyk-php-plugin "1.7.0" + snyk-policy "1.13.5" + snyk-python-plugin "1.16.0" + snyk-resolve "1.0.1" + snyk-resolve-deps "4.4.0" + snyk-sbt-plugin "2.11.0" + snyk-tree "^1.0.0" + snyk-try-require "1.3.1" + source-map-support "^0.5.11" + strip-ansi "^5.2.0" + tempfile "^2.0.0" + then-fs "^2.0.0" + update-notifier "^2.5.0" + uuid "^3.3.2" + wrap-ansi "^5.1.0" + +socks-proxy-agent@^4.0.1: + version "4.0.2" + resolved "https://registry.yarnpkg.com/socks-proxy-agent/-/socks-proxy-agent-4.0.2.tgz#3c8991f3145b2799e70e11bd5fbc8b1963116386" + integrity sha512-NT6syHhI9LmuEMSK6Kd2V7gNv5KFZoLE7V5udWmn0de+3Mkj3UMA/AJPLyeNUVmElCurSHtUdM3ETpR3z770Wg== + dependencies: + agent-base "~4.2.1" + socks "~2.3.2" + +socks@~2.3.2: + version "2.3.3" + resolved "https://registry.yarnpkg.com/socks/-/socks-2.3.3.tgz#01129f0a5d534d2b897712ed8aceab7ee65d78e3" + integrity sha512-o5t52PCNtVdiOvzMry7wU4aOqYWL0PeCXRWBEiJow4/i/wr+wpsJQ9awEu1EonLIqsfGd5qSgDdxEOvCdmBEpA== + dependencies: + ip "1.1.5" + smart-buffer "^4.1.0" + +source-map-support@^0.5.11, source-map-support@^0.5.7: + version "0.5.16" + resolved "https://registry.yarnpkg.com/source-map-support/-/source-map-support-0.5.16.tgz#0ae069e7fe3ba7538c64c98515e35339eac5a042" + integrity sha512-efyLRJDr68D9hBBNIPWFjhpFzURh+KJykQwvMyW5UiZzYwoF6l4YMMDIJJEyFWxWCqfyxLzz6tSfUFR+kXXsVQ== + dependencies: + buffer-from "^1.0.0" + source-map "^0.6.0" + +source-map@^0.6.0, source-map@~0.6.1: + version "0.6.1" + resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.6.1.tgz#74722af32e9614e9c287a8d0bbde48b5e2f1a263" + integrity sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g== + +sprintf-js@~1.0.2: + version "1.0.3" + resolved "https://registry.yarnpkg.com/sprintf-js/-/sprintf-js-1.0.3.tgz#04e6926f662895354f3dd015203633b857297e2c" + integrity sha1-BOaSb2YolTVPPdAVIDYzuFcpfiw= + sshpk@^1.7.0: version "1.16.0" resolved "https://registry.yarnpkg.com/sshpk/-/sshpk-1.16.0.tgz#1d4963a2fbffe58050aa9084ca20be81741c07de" @@ -1153,6 +2605,11 @@ sshpk@^1.7.0: safer-buffer "^2.0.2" tweetnacl "~0.14.0" +"statuses@>= 1.5.0 < 2": + version "1.5.0" + resolved "https://registry.yarnpkg.com/statuses/-/statuses-1.5.0.tgz#161c7dac177659fd9811f43771fa99381478628c" + integrity sha1-Fhx9rBd2Wf2YEfQ3cfqZOBR4Yow= + stream-to-observable@^0.1.0: version "0.1.0" resolved "https://registry.yarnpkg.com/stream-to-observable/-/stream-to-observable-0.1.0.tgz#45bf1d9f2d7dc09bed81f1c307c430e68b84cffe" @@ -1167,6 +2624,35 @@ string-width@^1.0.1: is-fullwidth-code-point "^1.0.0" strip-ansi "^3.0.0" +string-width@^2.0.0, string-width@^2.1.0, string-width@^2.1.1: + version "2.1.1" + resolved "https://registry.yarnpkg.com/string-width/-/string-width-2.1.1.tgz#ab93f27a8dc13d28cac815c462143a6d9012ae9e" + integrity sha512-nOqH59deCq9SRHlxq1Aw85Jnt4w6KvLKqWVik6oA9ZklXLNIOlqg4F2yrT1MVaTjAqvVwdfeZ7w7aCvJD7ugkw== + dependencies: + is-fullwidth-code-point "^2.0.0" + strip-ansi "^4.0.0" + +string-width@^3.0.0: + version "3.1.0" + resolved "https://registry.yarnpkg.com/string-width/-/string-width-3.1.0.tgz#22767be21b62af1081574306f69ac51b62203961" + integrity sha512-vafcv6KjVZKSgz06oM/H6GDBrAtz8vdhQakGjFIvNrHA6y3HCF1CInLy+QLq8dTJPQ1b+KDUqDFctkdRW44e1w== + dependencies: + emoji-regex "^7.0.1" + is-fullwidth-code-point "^2.0.0" + strip-ansi "^5.1.0" + +string_decoder@^1.1.1: + version "1.3.0" + resolved "https://registry.yarnpkg.com/string_decoder/-/string_decoder-1.3.0.tgz#42f114594a46cf1a8e30b0a84f56c78c3edac21e" + integrity sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA== + dependencies: + safe-buffer "~5.2.0" + +string_decoder@~0.10.x: + version "0.10.31" + resolved "https://registry.yarnpkg.com/string_decoder/-/string_decoder-0.10.31.tgz#62e203bc41766c6c28c9fc84301dab1c5310fa94" + integrity sha1-YuIDvEF2bGwoyfyEMB2rHFMQ+pQ= + string_decoder@~1.1.1: version "1.1.1" resolved "https://registry.yarnpkg.com/string_decoder/-/string_decoder-1.1.1.tgz#9cf1611ba62685d7030ae9e4ba34149c3af03fc8" @@ -1181,54 +2667,152 @@ strip-ansi@^3.0.0, strip-ansi@^3.0.1: dependencies: ansi-regex "^2.0.0" +strip-ansi@^4.0.0: + version "4.0.0" + resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-4.0.0.tgz#a8479022eb1ac368a871389b635262c505ee368f" + integrity sha1-qEeQIusaw2iocTibY1JixQXuNo8= + dependencies: + ansi-regex "^3.0.0" + +strip-ansi@^5.0.0, strip-ansi@^5.1.0, strip-ansi@^5.2.0: + version "5.2.0" + resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-5.2.0.tgz#8c9a536feb6afc962bdfa5b104a5091c1ad9c0ae" + integrity sha512-DuRs1gKbBqsMKIZlrffwlug8MHkcnpjs5VPmL1PAh+mA30U0DTotfDZ0d2UUsXpPmPmMMJ6W773MaA3J+lbiWA== + dependencies: + ansi-regex "^4.1.0" + strip-eof@^1.0.0: version "1.0.0" resolved "https://registry.yarnpkg.com/strip-eof/-/strip-eof-1.0.0.tgz#bb43ff5598a6eb05d89b59fcd129c983313606bf" integrity sha1-u0P/VZim6wXYm1n80SnJgzE2Br8= -supports-color@5.1.0: - version "5.1.0" - resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-5.1.0.tgz#058a021d1b619f7ddf3980d712ea3590ce7de3d5" - integrity sha512-Ry0AwkoKjDpVKK4sV4h6o3UJmNRbjYm2uXhwfj3J56lMVdvnUNqzQVRztOOMGQ++w1K/TjNDFvpJk0F/LoeBCQ== - dependencies: - has-flag "^2.0.0" +strip-json-comments@~2.0.1: + version "2.0.1" + resolved "https://registry.yarnpkg.com/strip-json-comments/-/strip-json-comments-2.0.1.tgz#3c531942e908c2697c0ec344858c286c7ca0a60a" + integrity sha1-PFMZQukIwml8DsNEhYwobHygpgo= -supports-color@^2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-2.0.0.tgz#535d045ce6b6363fa40117084629995e9df324c7" - integrity sha1-U10EXOa2Nj+kARcIRimZXp3zJMc= - -supports-color@^5.3.0: +supports-color@5.5.0, supports-color@^5.3.0: version "5.5.0" resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-5.5.0.tgz#e2e69a44ac8772f78a1ec0b35b689df6530efc8f" integrity sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow== dependencies: has-flag "^3.0.0" +supports-color@^2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-2.0.0.tgz#535d045ce6b6363fa40117084629995e9df324c7" + integrity sha1-U10EXOa2Nj+kARcIRimZXp3zJMc= + symbol-observable@1.0.1: version "1.0.1" resolved "https://registry.yarnpkg.com/symbol-observable/-/symbol-observable-1.0.1.tgz#8340fc4702c3122df5d22288f88283f513d3fdd4" integrity sha1-g0D8RwLDEi310iKI+IKD9RPT/dQ= -throttleit@~0.0.2: - version "0.0.2" - resolved "https://registry.yarnpkg.com/throttleit/-/throttleit-0.0.2.tgz#cfedf88e60c00dd9697b61fdd2a8343a9b680eaf" - integrity sha1-z+34jmDADdlpe2H90qg0OptoDq8= - -tmp@0.0.31: - version "0.0.31" - resolved "https://registry.yarnpkg.com/tmp/-/tmp-0.0.31.tgz#8f38ab9438e17315e5dbd8b3657e8bfb277ae4a7" - integrity sha1-jzirlDjhcxXl29izZX6L+yd65Kc= +tar-stream@^2.1.0: + version "2.1.0" + resolved "https://registry.yarnpkg.com/tar-stream/-/tar-stream-2.1.0.tgz#d1aaa3661f05b38b5acc9b7020efdca5179a2cc3" + integrity sha512-+DAn4Nb4+gz6WZigRzKEZl1QuJVOLtAwwF+WUxy1fJ6X63CaGaUAxJRD2KEn1OMfcbCjySTYpNC6WmfQoIEOdw== dependencies: - os-tmpdir "~1.0.1" + bl "^3.0.0" + end-of-stream "^1.4.1" + fs-constants "^1.0.0" + inherits "^2.0.3" + readable-stream "^3.1.1" -tough-cookie@~2.3.3: - version "2.3.4" - resolved "https://registry.yarnpkg.com/tough-cookie/-/tough-cookie-2.3.4.tgz#ec60cee38ac675063ffc97a5c18970578ee83655" - integrity sha512-TZ6TTfI5NtZnuyy/Kecv+CnoROnyXn2DN97LontgQpCwsX2XyLYCC0ENhYkehSOwAp8rTQKc/NUIF7BkQ5rKLA== +temp-dir@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/temp-dir/-/temp-dir-1.0.0.tgz#0a7c0ea26d3a39afa7e0ebea9c1fc0bc4daa011d" + integrity sha1-CnwOom06Oa+n4OvqnB/AvE2qAR0= + +tempfile@^2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/tempfile/-/tempfile-2.0.0.tgz#6b0446856a9b1114d1856ffcbe509cccb0977265" + integrity sha1-awRGhWqbERTRhW/8vlCczLCXcmU= dependencies: + temp-dir "^1.0.0" + uuid "^3.0.1" + +term-size@^1.2.0: + version "1.2.0" + resolved "https://registry.yarnpkg.com/term-size/-/term-size-1.2.0.tgz#458b83887f288fc56d6fffbfad262e26638efa69" + integrity sha1-RYuDiH8oj8Vtb/+/rSYuJmOO+mk= + dependencies: + execa "^0.7.0" + +then-fs@^2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/then-fs/-/then-fs-2.0.0.tgz#72f792dd9d31705a91ae19ebfcf8b3f968c81da2" + integrity sha1-cveS3Z0xcFqRrhnr/Piz+WjIHaI= + dependencies: + promise ">=3.2 <8" + +throttleit@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/throttleit/-/throttleit-1.0.0.tgz#9e785836daf46743145a5984b6268d828528ac6c" + integrity sha1-nnhYNtr0Z0MUWlmEtiaNgoUorGw= + +through@^2.3.6: + version "2.3.8" + resolved "https://registry.yarnpkg.com/through/-/through-2.3.8.tgz#0dd4c9ffaabc357960b1b724115d7e0e86a2e1f5" + integrity sha1-DdTJ/6q8NXlgsbckEV1+Doai4fU= + +thunkify@^2.1.2: + version "2.1.2" + resolved "https://registry.yarnpkg.com/thunkify/-/thunkify-2.1.2.tgz#faa0e9d230c51acc95ca13a361ac05ca7e04553d" + integrity sha1-+qDp0jDFGsyVyhOjYawFyn4EVT0= + +timed-out@^4.0.0: + version "4.0.1" + resolved "https://registry.yarnpkg.com/timed-out/-/timed-out-4.0.1.tgz#f32eacac5a175bea25d7fab565ab3ed8741ef56f" + integrity sha1-8y6srFoXW+ol1/q1Zas+2HQe9W8= + +tmp@0.0.33, tmp@^0.0.33: + version "0.0.33" + resolved "https://registry.yarnpkg.com/tmp/-/tmp-0.0.33.tgz#6d34335889768d21b2bcda0aa277ced3b1bfadf9" + integrity sha512-jRCJlojKnZ3addtTOjdIqoRuPEKBvNXcGYqzO6zWZX8KfKEpnGY5jfggJQ3EjKuu8D4bJRr0y+cYJFmYbImXGw== + dependencies: + os-tmpdir "~1.0.2" + +tmp@0.1.0, tmp@^0.1.0: + version "0.1.0" + resolved "https://registry.yarnpkg.com/tmp/-/tmp-0.1.0.tgz#ee434a4e22543082e294ba6201dcc6eafefa2877" + integrity sha512-J7Z2K08jbGcdA1kkQpJSqLF6T0tdQqpR2pnSUXsIchbPdTI9v3e85cLW0d6WDhwuAleOV71j2xWs8qMPfK7nKw== + dependencies: + rimraf "^2.6.3" + +toidentifier@1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/toidentifier/-/toidentifier-1.0.0.tgz#7e1be3470f1e77948bc43d94a3c8f4d7752ba553" + integrity sha512-yaOH/Pk/VEhBWWTlhI+qXxDFXlejDGcQipMlyxda9nthulaxLZUNcUqFxokp0vcYnvteJln5FNQDRrxj3YcbVw== + +toml@^3.0.0: + version "3.0.0" + resolved "https://registry.yarnpkg.com/toml/-/toml-3.0.0.tgz#342160f1af1904ec9d204d03a5d61222d762c5ee" + integrity sha512-y/mWCZinnvxjTKYhJ+pYxwD0mRLVvOtdS2Awbgxln6iEnt4rk0yBxeSBHkGJcPucRiG0e55mwWp+g/05rsrd6w== + +tough-cookie@~2.4.3: + version "2.4.3" + resolved "https://registry.yarnpkg.com/tough-cookie/-/tough-cookie-2.4.3.tgz#53f36da3f47783b0925afa06ff9f3b165280f781" + integrity sha512-Q5srk/4vDM54WJsJio3XNn6K2sCG+CQ8G5Wz6bZhRZoAe/+TxjWB/GlFAnYEbkYVlON9FMk/fE3h2RLpPXo4lQ== + dependencies: + psl "^1.1.24" punycode "^1.4.1" +tree-kill@^1.2.2: + version "1.2.2" + resolved "https://registry.yarnpkg.com/tree-kill/-/tree-kill-1.2.2.tgz#4ca09a9092c88b73a7cdc5e8a01b507b0790a0cc" + integrity sha512-L0Orpi8qGpRG//Nd+H90vFB+3iHnue1zSSGmNOOCh1GLJ7rUKVwV2HvijphGQS2UmhUZewS9VgvxYIdgr+fG1A== + +tslib@1.9.3: + version "1.9.3" + resolved "https://registry.yarnpkg.com/tslib/-/tslib-1.9.3.tgz#d7e4dd79245d85428c4d7e4822a79917954ca286" + integrity sha512-4krF8scpejhaOgqzBEcGM7yDIEfi0/8+8zDRZhNZZ2kjmHJ4hv3zCbQWxoJGz1iw5U0Jl0nma13xzHXcncMavQ== + +tslib@^1, tslib@^1.10.0, tslib@^1.9.0, tslib@^1.9.3: + version "1.10.0" + resolved "https://registry.yarnpkg.com/tslib/-/tslib-1.10.0.tgz#c3c19f95973fb0a62973fb09d90d961ee43e5c8a" + integrity sha512-qOebF53frne81cf0S9B41ByenJ3/IuH8yJKngAX35CmiZySA0khhkovshKK+jGCaMnVomla7gVlIcc3EvKPbTQ== + tunnel-agent@^0.6.0: version "0.6.0" resolved "https://registry.yarnpkg.com/tunnel-agent/-/tunnel-agent-0.6.0.tgz#27a5dea06b36b04a0a9966774b290868f0fc40fd" @@ -1241,16 +2825,75 @@ tweetnacl@^0.14.3, tweetnacl@~0.14.0: resolved "https://registry.yarnpkg.com/tweetnacl/-/tweetnacl-0.14.5.tgz#5ae68177f192d4456269d108afa93ff8743f4f64" integrity sha1-WuaBd/GS1EViadEIr6k/+HQ/T2Q= +type-check@~0.3.2: + version "0.3.2" + resolved "https://registry.yarnpkg.com/type-check/-/type-check-0.3.2.tgz#5884cab512cf1d355e3fb784f30804b2b520db72" + integrity sha1-WITKtRLPHTVeP7eE8wgEsrUg23I= + dependencies: + prelude-ls "~1.1.2" + typedarray@^0.0.6: version "0.0.6" resolved "https://registry.yarnpkg.com/typedarray/-/typedarray-0.0.6.tgz#867ac74e3864187b1d3d47d996a78ec5c8830777" integrity sha1-hnrHTjhkGHsdPUfZlqeOxciDB3c= +unique-string@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/unique-string/-/unique-string-1.0.0.tgz#9e1057cca851abb93398f8b33ae187b99caec11a" + integrity sha1-nhBXzKhRq7kzmPizOuGHuZyuwRo= + dependencies: + crypto-random-string "^1.0.0" + universalify@^0.1.0: version "0.1.2" resolved "https://registry.yarnpkg.com/universalify/-/universalify-0.1.2.tgz#b646f69be3942dabcecc9d6639c80dc105efaa66" integrity sha512-rBJeI5CXAlmy1pV+617WB9J63U6XcazHHF2f2dbJix4XzpUF0RS3Zbj0FGIOCAva5P/d/GBOYaACQ1w+0azUkg== +unpipe@1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/unpipe/-/unpipe-1.0.0.tgz#b2bf4ee8514aae6165b4817829d21b2ef49904ec" + integrity sha1-sr9O6FFKrmFltIF4KdIbLvSZBOw= + +untildify@3.0.3: + version "3.0.3" + resolved "https://registry.yarnpkg.com/untildify/-/untildify-3.0.3.tgz#1e7b42b140bcfd922b22e70ca1265bfe3634c7c9" + integrity sha512-iSk/J8efr8uPT/Z4eSUywnqyrQU7DSdMfdqK4iWEaUVVmcP5JcnpRqmVMwcwcnmI1ATFNgC5V90u09tBynNFKA== + +unzip-response@^2.0.1: + version "2.0.1" + resolved "https://registry.yarnpkg.com/unzip-response/-/unzip-response-2.0.1.tgz#d2f0f737d16b0615e72a6935ed04214572d56f97" + integrity sha1-0vD3N9FrBhXnKmk17QQhRXLVb5c= + +update-notifier@^2.5.0: + version "2.5.0" + resolved "https://registry.yarnpkg.com/update-notifier/-/update-notifier-2.5.0.tgz#d0744593e13f161e406acb1d9408b72cad08aff6" + integrity sha512-gwMdhgJHGuj/+wHJJs9e6PcCszpxR1b236igrOkUofGhqJuG+amlIKwApH1IW1WWl7ovZxsX49lMBWLxSdm5Dw== + dependencies: + boxen "^1.2.1" + chalk "^2.0.1" + configstore "^3.0.0" + import-lazy "^2.1.0" + is-ci "^1.0.10" + is-installed-globally "^0.1.0" + is-npm "^1.0.0" + latest-version "^3.0.0" + semver-diff "^2.0.0" + xdg-basedir "^3.0.0" + +uri-js@^4.2.2: + version "4.2.2" + resolved "https://registry.yarnpkg.com/uri-js/-/uri-js-4.2.2.tgz#94c540e1ff772956e2299507c010aea6c8838eb0" + integrity sha512-KY9Frmirql91X2Qgjry0Wd4Y+YTdrdZheS8TFwvkbLWf/G5KNJDCh6pKL5OZctEW4+0Baa5idK2ZQuELRwPznQ== + dependencies: + punycode "^2.1.0" + +url-parse-lax@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/url-parse-lax/-/url-parse-lax-1.0.0.tgz#7af8f303645e9bd79a272e7a14ac68bc0609da73" + integrity sha1-evjzA2Rem9eaJy56FKxovAYJ2nM= + dependencies: + prepend-http "^1.0.1" + url@0.11.0: version "0.11.0" resolved "https://registry.yarnpkg.com/url/-/url-0.11.0.tgz#3838e97cfc60521eb73c525a8e55bfdd9e2e28f1" @@ -1259,15 +2902,15 @@ url@0.11.0: punycode "1.3.2" querystring "0.2.0" -util-deprecate@~1.0.1: +util-deprecate@^1.0.1, util-deprecate@~1.0.1: version "1.0.2" resolved "https://registry.yarnpkg.com/util-deprecate/-/util-deprecate-1.0.2.tgz#450d4dc9fa70de732762fbd2d4a28981419a0ccf" integrity sha1-RQ1Nyfpw3nMnYvvS1KKJgUGaDM8= -uuid@^3.1.0: - version "3.3.2" - resolved "https://registry.yarnpkg.com/uuid/-/uuid-3.3.2.tgz#1b4af4955eb3077c501c23872fc6513811587131" - integrity sha512-yXJmeNaw3DnnKAOKJE51sL/ZaYfWJRl1pK9dr19YFCu0ObS231AB1/LbqTKRAQ5kw8A90rA6fr4riOUpTZvQZA== +uuid@^3.0.1, uuid@^3.3.2: + version "3.4.0" + resolved "https://registry.yarnpkg.com/uuid/-/uuid-3.4.0.tgz#b23e4358afa8a202fe7a100af1f5f883f02007ee" + integrity sha512-HjSDRw6gZE5JMggctHBcjVak08+KEVhSIiDzFnT9S9aegmp85S/bReBVTb4QTFaRNptJ9kuYaNhnbNEOkbKb/A== verror@1.10.0: version "1.10.0" @@ -1278,6 +2921,11 @@ verror@1.10.0: core-util-is "1.0.2" extsprintf "^1.2.0" +vscode-languageserver-types@^3.5.0: + version "3.15.1" + resolved "https://registry.yarnpkg.com/vscode-languageserver-types/-/vscode-languageserver-types-3.15.1.tgz#17be71d78d2f6236d414f0001ce1ef4d23e6b6de" + integrity sha512-+a9MPUQrNGRrGU630OGbYVQ+11iOIovjCkqxajPa9w57Sd5ruK8WQNsslzpa0x/QJqC8kRc2DUxWjIFwoNm4ZQ== + which@^1.2.9: version "1.3.1" resolved "https://registry.yarnpkg.com/which/-/which-1.3.1.tgz#a45043d54f5805316da8d62f9f50918d3da70b0a" @@ -1285,22 +2933,136 @@ which@^1.2.9: dependencies: isexe "^2.0.0" +widest-line@^2.0.0: + version "2.0.1" + resolved "https://registry.yarnpkg.com/widest-line/-/widest-line-2.0.1.tgz#7438764730ec7ef4381ce4df82fb98a53142a3fc" + integrity sha512-Ba5m9/Fa4Xt9eb2ELXt77JxVDV8w7qQrH0zS/TWSJdLyAwQjWoOzpzj5lwVftDz6n/EOu3tNACS84v509qwnJA== + dependencies: + string-width "^2.1.1" + +window-size@^0.1.4: + version "0.1.4" + resolved "https://registry.yarnpkg.com/window-size/-/window-size-0.1.4.tgz#f8e1aa1ee5a53ec5bf151ffa09742a6ad7697876" + integrity sha1-+OGqHuWlPsW/FR/6CXQqatdpeHY= + +windows-release@^3.1.0: + version "3.2.0" + resolved "https://registry.yarnpkg.com/windows-release/-/windows-release-3.2.0.tgz#8122dad5afc303d833422380680a79cdfa91785f" + integrity sha512-QTlz2hKLrdqukrsapKsINzqMgOUpQW268eJ0OaOpJN32h272waxR9fkB9VoWRtK7uKHG5EHJcTXQBD8XZVJkFA== + dependencies: + execa "^1.0.0" + +word-wrap@~1.2.3: + version "1.2.3" + resolved "https://registry.yarnpkg.com/word-wrap/-/word-wrap-1.2.3.tgz#610636f6b1f703891bd34771ccb17fb93b47079c" + integrity sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ== + +wrap-ansi@^2.0.0: + version "2.1.0" + resolved "https://registry.yarnpkg.com/wrap-ansi/-/wrap-ansi-2.1.0.tgz#d8fc3d284dd05794fe84973caecdd1cf824fdd85" + integrity sha1-2Pw9KE3QV5T+hJc8rs3Rz4JP3YU= + dependencies: + string-width "^1.0.1" + strip-ansi "^3.0.1" + +wrap-ansi@^5.1.0: + version "5.1.0" + resolved "https://registry.yarnpkg.com/wrap-ansi/-/wrap-ansi-5.1.0.tgz#1fd1f67235d5b6d0fee781056001bfb694c03b09" + integrity sha512-QC1/iN/2/RPVJ5jYK8BGttj5z83LmSKmvbvrXPNCLZSEb32KKVDJDl/MOt2N01qU2H/FkzEa9PKto1BqDjtd7Q== + dependencies: + ansi-styles "^3.2.0" + string-width "^3.0.0" + strip-ansi "^5.0.0" + wrappy@1: version "1.0.2" resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f" integrity sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8= +write-file-atomic@^2.0.0: + version "2.4.3" + resolved "https://registry.yarnpkg.com/write-file-atomic/-/write-file-atomic-2.4.3.tgz#1fd2e9ae1df3e75b8d8c367443c692d4ca81f481" + integrity sha512-GaETH5wwsX+GcnzhPgKcKjJ6M2Cq3/iZp1WyY/X1CSqrW+jVNM9Y7D8EC2sM4ZG/V8wZlSniJnCKWPmBYAucRQ== + dependencies: + graceful-fs "^4.1.11" + imurmurhash "^0.1.4" + signal-exit "^3.0.2" + +xdg-basedir@^3.0.0: + version "3.0.0" + resolved "https://registry.yarnpkg.com/xdg-basedir/-/xdg-basedir-3.0.0.tgz#496b2cc109eca8dbacfe2dc72b603c17c5870ad4" + integrity sha1-SWsswQnsqNus/i3HK2A8F8WHCtQ= + +xml2js@0.4.19: + version "0.4.19" + resolved "https://registry.yarnpkg.com/xml2js/-/xml2js-0.4.19.tgz#686c20f213209e94abf0d1bcf1efaa291c7827a7" + integrity sha512-esZnJZJOiJR9wWKMyuvSE1y6Dq5LCuJanqhxslH2bxM6duahNZ+HMpCLhBQGZkbX6xRf8x1Y2eJlgt2q3qo49Q== + dependencies: + sax ">=0.6.0" + xmlbuilder "~9.0.1" + +xml2js@^0.4.17: + version "0.4.23" + resolved "https://registry.yarnpkg.com/xml2js/-/xml2js-0.4.23.tgz#a0c69516752421eb2ac758ee4d4ccf58843eac66" + integrity sha512-ySPiMjM0+pLDftHgXY4By0uswI3SPKLDw/i3UXbnO8M/p28zqexCUoPmQFrYD+/1BzhGJSs2i1ERWKJAtiLrug== + dependencies: + sax ">=0.6.0" + xmlbuilder "~11.0.0" + +xmlbuilder@~11.0.0: + version "11.0.1" + resolved "https://registry.yarnpkg.com/xmlbuilder/-/xmlbuilder-11.0.1.tgz#be9bae1c8a046e76b31127726347d0ad7002beb3" + integrity sha512-fDlsI/kFEx7gLvbecc0/ohLG50fugQp8ryHzMTuW9vSa1GJ0XYWKnhsUx7oie3G98+r56aTQIUB4kht42R3JvA== + +xmlbuilder@~9.0.1: + version "9.0.7" + resolved "https://registry.yarnpkg.com/xmlbuilder/-/xmlbuilder-9.0.7.tgz#132ee63d2ec5565c557e20f4c22df9aca686b10d" + integrity sha1-Ey7mPS7FVlxVfiD0wi35rKaGsQ0= + +xregexp@2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/xregexp/-/xregexp-2.0.0.tgz#52a63e56ca0b84a7f3a5f3d61872f126ad7a5943" + integrity sha1-UqY+VsoLhKfzpfPWGHLxJq16WUM= + +y18n@^3.2.0: + version "3.2.1" + resolved "https://registry.yarnpkg.com/y18n/-/y18n-3.2.1.tgz#6d15fba884c08679c0d77e88e7759e811e07fa41" + integrity sha1-bRX7qITAhnnA136I53WegR4H+kE= + +yallist@^2.1.2: + version "2.1.2" + resolved "https://registry.yarnpkg.com/yallist/-/yallist-2.1.2.tgz#1c11f9218f076089a47dd512f93c6699a6a81d52" + integrity sha1-HBH5IY8HYImkfdUS+TxmmaaoHVI= + +yallist@^3.0.2: + version "3.1.1" + resolved "https://registry.yarnpkg.com/yallist/-/yallist-3.1.1.tgz#dbb7daf9bfd8bac9ab45ebf602b8cbad0d5d08fd" + integrity sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g== + +yargs@^3.19.0: + version "3.32.0" + resolved "https://registry.yarnpkg.com/yargs/-/yargs-3.32.0.tgz#03088e9ebf9e756b69751611d2a5ef591482c995" + integrity sha1-AwiOnr+edWtpdRYR0qXvWRSCyZU= + dependencies: + camelcase "^2.0.1" + cliui "^3.0.3" + decamelize "^1.1.1" + os-locale "^1.4.0" + string-width "^1.0.1" + window-size "^0.1.4" + y18n "^3.2.0" + +yauzl@2.10.0: + version "2.10.0" + resolved "https://registry.yarnpkg.com/yauzl/-/yauzl-2.10.0.tgz#c7eb17c93e112cb1086fa6d8e51fb0667b79a5f9" + integrity sha1-x+sXyT4RLLEIb6bY5R+wZnt5pfk= + dependencies: + buffer-crc32 "~0.2.3" + fd-slicer "~1.1.0" + yauzl@2.4.1: version "2.4.1" resolved "https://registry.yarnpkg.com/yauzl/-/yauzl-2.4.1.tgz#9528f442dab1b2284e58b4379bb194e22e0c4005" integrity sha1-lSj0QtqxsihOWLQ3m7GU4i4MQAU= dependencies: fd-slicer "~1.0.1" - -yauzl@2.8.0: - version "2.8.0" - resolved "https://registry.yarnpkg.com/yauzl/-/yauzl-2.8.0.tgz#79450aff22b2a9c5a41ef54e02db907ccfbf9ee2" - integrity sha1-eUUK/yKyqcWkHvVOAtuQfM+/nuI= - dependencies: - buffer-crc32 "~0.2.3" - fd-slicer "~1.0.1" From acb84ae64bcbf6538bc94cf86298097629116f86 Mon Sep 17 00:00:00 2001 From: snyk-bot Date: Fri, 7 Feb 2020 04:55:15 +0000 Subject: [PATCH 42/46] fix: package.json & yarn.lock to reduce vulnerabilities The following vulnerabilities are fixed with an upgrade: - https://snyk.io/vuln/SNYK-JS-DOTPROP-543489 --- package.json | 2 +- yarn.lock | 116 +++++++++++++++++++++++++-------------------------- 2 files changed, 59 insertions(+), 59 deletions(-) diff --git a/package.json b/package.json index 940fd64a36..b3a0c6eb09 100644 --- a/package.json +++ b/package.json @@ -1,7 +1,7 @@ { "dependencies": { "cypress": "^3.4.1", - "snyk": "^1.288.0" + "snyk": "^1.290.1" }, "scripts": { "snyk-protect": "snyk protect", diff --git a/yarn.lock b/yarn.lock index c5d04c1dbc..99de53d039 100644 --- a/yarn.lock +++ b/yarn.lock @@ -41,7 +41,7 @@ dependencies: tslib "^1.9.3" -"@snyk/cli-interface@^2.0.3": +"@snyk/cli-interface@2.3.1", "@snyk/cli-interface@^2.0.3": version "2.3.1" resolved "https://registry.yarnpkg.com/@snyk/cli-interface/-/cli-interface-2.3.1.tgz#73f2f4bd717b9f03f096ede3ff5830eb8d2f3716" integrity sha512-JZvsmhDXSyjv1dkc12lPI3tNTNYlIaOiIQMYFg2RgqF3QmWjTyBUgRZcF7LoKyufHtS4dIudM6k1aHBpSaDrhw== @@ -68,6 +68,18 @@ dependencies: lodash "^4.17.13" +"@snyk/configstore@3.2.0-rc1", "@snyk/configstore@^3.2.0-rc1": + version "3.2.0-rc1" + resolved "https://registry.yarnpkg.com/@snyk/configstore/-/configstore-3.2.0-rc1.tgz#385c050d11926a26d0335a4b3be9e55f90f6e0ac" + integrity sha512-CV3QggFY8BY3u8PdSSlUGLibqbqCG1zJRmGM2DhnhcxQDRRPTGTP//l7vJphOVsUP1Oe23+UQsj7KRWpRUZiqg== + dependencies: + dot-prop "^5.2.0" + graceful-fs "^4.1.2" + make-dir "^1.0.0" + unique-string "^1.0.0" + write-file-atomic "^2.0.0" + xdg-basedir "^3.0.0" + "@snyk/dep-graph@1.13.1": version "1.13.1" resolved "https://registry.yarnpkg.com/@snyk/dep-graph/-/dep-graph-1.13.1.tgz#45721f7e21136b62d1cdd99b3319e717d9071dfb" @@ -115,6 +127,22 @@ source-map-support "^0.5.7" tslib "^1.9.3" +"@snyk/update-notifier@^2.5.1-rc2": + version "2.5.1-rc2" + resolved "https://registry.yarnpkg.com/@snyk/update-notifier/-/update-notifier-2.5.1-rc2.tgz#14bf816114b5698a255289d7170157f254202fad" + integrity sha512-dlled3mfpnAt3cQb5hxkFiqfPCj4Yk0xV8Yl5P8PeVv1pUmO7vI4Ka4Mjs4r6CYM5f9kZhviFPQQcWOIDlMRcw== + dependencies: + "@snyk/configstore" "3.2.0-rc1" + boxen "^1.3.0" + chalk "^2.3.2" + import-lazy "^2.1.0" + is-ci "^1.0.10" + is-installed-globally "^0.1.0" + is-npm "^1.0.0" + latest-version "^3.1.0" + semver-diff "^2.0.0" + xdg-basedir "^3.0.0" + "@types/agent-base@^4.2.0": version "4.2.0" resolved "https://registry.yarnpkg.com/@types/agent-base/-/agent-base-4.2.0.tgz#00644e8b395b40e1bf50aaf1d22cabc1200d5051" @@ -354,7 +382,7 @@ bluebird@3.5.0: resolved "https://registry.yarnpkg.com/bluebird/-/bluebird-3.5.0.tgz#791420d7f551eea2897453a8a77653f96606d67c" integrity sha1-eRQg1/VR7qKJdFOop3ZT+WYG1nw= -boxen@^1.2.1: +boxen@^1.3.0: version "1.3.0" resolved "https://registry.yarnpkg.com/boxen/-/boxen-1.3.0.tgz#55c6c39a8ba58d9c61ad22cd877532deb665a20b" integrity sha512-TNPjfTr432qx7yOjQyaXm3dSR0MH9vXp7eT1BFSl/C51g+EFnOR9hTg1IreahGBmDNCehscshe45f+C1TBZbLw== @@ -417,7 +445,7 @@ caseless@~0.12.0: resolved "https://registry.yarnpkg.com/caseless/-/caseless-0.12.0.tgz#1b681c21ff84033c826543090689420d187151dc" integrity sha1-G2gcIf+EAzyCZUMJBolCDRhxUdw= -chalk@2.4.2, chalk@^2.4.2: +chalk@2.4.2, chalk@^2.3.2, chalk@^2.4.2: version "2.4.2" resolved "https://registry.yarnpkg.com/chalk/-/chalk-2.4.2.tgz#cd42541677a54333cf541a49108c1432b44c9424" integrity sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ== @@ -573,18 +601,6 @@ concat-stream@1.6.2: readable-stream "^2.2.2" typedarray "^0.0.6" -configstore@^3.0.0, configstore@^3.1.2: - version "3.1.2" - resolved "https://registry.yarnpkg.com/configstore/-/configstore-3.1.2.tgz#c6f25defaeef26df12dd33414b001fe81a543f8f" - integrity sha512-vtv5HtGjcYUgFrXc6Kx747B83MRRVS5R1VTEQoXvuP+kMI+if6uywV0nDGoiydJRy4yk7h9od5Og0kxx4zUXmw== - dependencies: - dot-prop "^4.1.0" - graceful-fs "^4.1.2" - make-dir "^1.0.0" - unique-string "^1.0.0" - write-file-atomic "^2.0.0" - xdg-basedir "^3.0.0" - core-js@^3.2.0: version "3.6.4" resolved "https://registry.yarnpkg.com/core-js/-/core-js-3.6.4.tgz#440a83536b458114b9cb2ac1580ba377dc470647" @@ -757,12 +773,12 @@ dockerfile-ast@0.0.18: dependencies: vscode-languageserver-types "^3.5.0" -dot-prop@^4.1.0: - version "4.2.0" - resolved "https://registry.yarnpkg.com/dot-prop/-/dot-prop-4.2.0.tgz#1f19e0c2e1aa0e32797c49799f2837ac6af69c57" - integrity sha512-tUMXrxlExSW6U2EXiiKGSBVdYgtV8qlHL+C10TsW4PURY/ic+eaysnSkwB4kA/mBlCyy/IKDJ+Lc3wbWeaXtuQ== +dot-prop@^5.2.0: + version "5.2.0" + resolved "https://registry.yarnpkg.com/dot-prop/-/dot-prop-5.2.0.tgz#c34ecc29556dc45f1f4c22697b6f4904e0cc4fcb" + integrity sha512-uEUyaDKoSQ1M4Oq8l45hSE26SnTxL6snNnqvK/VWx5wJhmff5z0FUVJDKDanor/6w3kzE3i7XZOk+7wC0EXr1A== dependencies: - is-obj "^1.0.0" + is-obj "^2.0.0" dotnet-deps-parser@4.9.0: version "4.9.0" @@ -1343,10 +1359,10 @@ is-npm@^1.0.0: resolved "https://registry.yarnpkg.com/is-npm/-/is-npm-1.0.0.tgz#f2fb63a65e4905b406c86072765a1a4dc793b9f4" integrity sha1-8vtjpl5JBbQGyGBydloaTceTufQ= -is-obj@^1.0.0: - version "1.0.1" - resolved "https://registry.yarnpkg.com/is-obj/-/is-obj-1.0.1.tgz#3e4729ac1f5fde025cd7d83a896dab9f4f67db0f" - integrity sha1-PkcprB9f3gJc19g6iW2rn09n2w8= +is-obj@^2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/is-obj/-/is-obj-2.0.0.tgz#473fb05d973705e3fd9620545018ca8e22ef4982" + integrity sha512-drqDG3cbczxxEJRoOXcOjtdp1J/lyp1mNn0xaznRs8+muBhgQcrnbspox5X5fOw0HnMnbfDzvnEMEtqDEJEo8w== is-path-inside@^1.0.0: version "1.0.1" @@ -1467,7 +1483,7 @@ jszip@^3.1.5: readable-stream "~2.3.6" set-immediate-shim "~1.0.1" -latest-version@^3.0.0: +latest-version@^3.1.0: version "3.1.0" resolved "https://registry.yarnpkg.com/latest-version/-/latest-version-3.1.0.tgz#a205383fea322b33b5ae3b18abee0dc2f356ee15" integrity sha1-ogU4P+oyKzO1rjsYq+4NwvNW7hU= @@ -2368,12 +2384,12 @@ snyk-module@1.9.1, snyk-module@^1.6.0, snyk-module@^1.9.1: debug "^3.1.0" hosted-git-info "^2.7.1" -snyk-mvn-plugin@2.7.0: - version "2.7.0" - resolved "https://registry.yarnpkg.com/snyk-mvn-plugin/-/snyk-mvn-plugin-2.7.0.tgz#39996df2a878b16a7e3cbe5b63a7c43855031d49" - integrity sha512-DLBt+6ZvtoleXE7Si3wAa6gdPSWsXdIQEY6m2zW2InN9WiaRwIEKMCY822eFmRPZVNNmZNRUIeQsoHZwv/slqQ== +snyk-mvn-plugin@2.8.0: + version "2.8.0" + resolved "https://registry.yarnpkg.com/snyk-mvn-plugin/-/snyk-mvn-plugin-2.8.0.tgz#20c4201debd99928ade099fd426d13bd17b2cc85" + integrity sha512-Jt6lsVOFOYj7rp0H2IWz/BZS9xxaO0jEFTAoafLCocJIWWuGhPpVocCqmh/hrYAdKY9gS4gVOViMJ3EvcC1r1Q== dependencies: - "@snyk/cli-interface" "2.2.0" + "@snyk/cli-interface" "2.3.1" debug "^4.1.1" lodash "^4.17.15" needle "^2.4.0" @@ -2437,10 +2453,10 @@ snyk-policy@1.13.5: snyk-try-require "^1.3.1" then-fs "^2.0.0" -snyk-python-plugin@1.16.0: - version "1.16.0" - resolved "https://registry.yarnpkg.com/snyk-python-plugin/-/snyk-python-plugin-1.16.0.tgz#0eae3c085a87b7d91f8097f598571104c01e0f08" - integrity sha512-IA53xOcy1s881tbIrIXNqIuCNozd4PAVWN8oF0xgRn2NQbq0e7EWt7kFPJbmZodpLCDpXaKKqV2MHbXruFIsrw== +snyk-python-plugin@1.17.0: + version "1.17.0" + resolved "https://registry.yarnpkg.com/snyk-python-plugin/-/snyk-python-plugin-1.17.0.tgz#9bc38ba3c799c3cbef7676a1081f52608690d254" + integrity sha512-EKdVOUlvhiVpXA5TeW8vyxYVqbITAfT+2AbL2ZRiiUNLP5ae+WiNYaPy7aB5HAS9IKBKih+IH8Ag65Xu1IYSYA== dependencies: "@snyk/cli-interface" "^2.0.3" tmp "0.0.33" @@ -2504,22 +2520,23 @@ snyk-try-require@1.3.1, snyk-try-require@^1.1.1, snyk-try-require@^1.3.1: lru-cache "^4.0.0" then-fs "^2.0.0" -snyk@^1.288.0: - version "1.288.0" - resolved "https://registry.yarnpkg.com/snyk/-/snyk-1.288.0.tgz#ea0ab2cd29ccbc9575a7bfae9ecfaf8adf0cbcc3" - integrity sha512-w4um5kCDm4rBbBKq2Vs1imuOoCDkfgI3iLhw7B3oV4F00NjWKQmEC/g7kPTaMNnIS3PP1y+eljd3TD3Rwtc9Ag== +snyk@^1.290.1: + version "1.290.2" + resolved "https://registry.yarnpkg.com/snyk/-/snyk-1.290.2.tgz#a5e36e735a8083464263abdb266b6c9b3d46de7f" + integrity sha512-siieHkSY/b3Yw1Gf84L07j65m2Bht1PamAbX3cmZ1zAzsUxfXpqZq5W9PlAp5z1d0Tp1vxsQmXw6UGW0K1Tq1Q== dependencies: "@snyk/cli-interface" "2.3.0" + "@snyk/configstore" "^3.2.0-rc1" "@snyk/dep-graph" "1.13.1" "@snyk/gemfile" "1.2.0" "@snyk/snyk-cocoapods-plugin" "2.0.1" + "@snyk/update-notifier" "^2.5.1-rc2" "@types/agent-base" "^4.2.0" "@types/restify" "^4.3.6" abbrev "^1.1.1" ansi-escapes "3.2.0" chalk "^2.4.2" cli-spinner "0.2.10" - configstore "^3.1.2" debug "^3.1.0" diff "^4.0.1" git-url-parse "11.1.2" @@ -2537,12 +2554,12 @@ snyk@^1.288.0: snyk-go-plugin "1.11.1" snyk-gradle-plugin "3.2.4" snyk-module "1.9.1" - snyk-mvn-plugin "2.7.0" + snyk-mvn-plugin "2.8.0" snyk-nodejs-lockfile-parser "1.17.0" snyk-nuget-plugin "1.16.0" snyk-php-plugin "1.7.0" snyk-policy "1.13.5" - snyk-python-plugin "1.16.0" + snyk-python-plugin "1.17.0" snyk-resolve "1.0.1" snyk-resolve-deps "4.4.0" snyk-sbt-plugin "2.11.0" @@ -2552,7 +2569,6 @@ snyk@^1.288.0: strip-ansi "^5.2.0" tempfile "^2.0.0" then-fs "^2.0.0" - update-notifier "^2.5.0" uuid "^3.3.2" wrap-ansi "^5.1.0" @@ -2864,22 +2880,6 @@ unzip-response@^2.0.1: resolved "https://registry.yarnpkg.com/unzip-response/-/unzip-response-2.0.1.tgz#d2f0f737d16b0615e72a6935ed04214572d56f97" integrity sha1-0vD3N9FrBhXnKmk17QQhRXLVb5c= -update-notifier@^2.5.0: - version "2.5.0" - resolved "https://registry.yarnpkg.com/update-notifier/-/update-notifier-2.5.0.tgz#d0744593e13f161e406acb1d9408b72cad08aff6" - integrity sha512-gwMdhgJHGuj/+wHJJs9e6PcCszpxR1b236igrOkUofGhqJuG+amlIKwApH1IW1WWl7ovZxsX49lMBWLxSdm5Dw== - dependencies: - boxen "^1.2.1" - chalk "^2.0.1" - configstore "^3.0.0" - import-lazy "^2.1.0" - is-ci "^1.0.10" - is-installed-globally "^0.1.0" - is-npm "^1.0.0" - latest-version "^3.0.0" - semver-diff "^2.0.0" - xdg-basedir "^3.0.0" - uri-js@^4.2.2: version "4.2.2" resolved "https://registry.yarnpkg.com/uri-js/-/uri-js-4.2.2.tgz#94c540e1ff772956e2299507c010aea6c8838eb0" From 9225159d8ce09ca296d16e7f315038884cd577ae Mon Sep 17 00:00:00 2001 From: thefalconx33 Date: Sun, 9 Feb 2020 12:19:03 +0530 Subject: [PATCH 43/46] fix: mandatory warehouse wrror while updating items after submission --- erpnext/controllers/accounts_controller.py | 1 + 1 file changed, 1 insertion(+) diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index 7faf792d20..001da5b5ea 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -1135,6 +1135,7 @@ def set_sales_order_defaults(parent_doctype, parent_doctype_name, child_docname, child_item.reqd_by_date = p_doctype.delivery_date child_item.uom = item.stock_uom child_item.conversion_factor = get_conversion_factor(item_code, item.stock_uom).get("conversion_factor") or 1.0 + child_item.warehouse = p_doctype.set_warehouse or p_doctype.items[0].warehouse return child_item From 7d2c8cffb0fc1baf7956d87361dad88966ef85c3 Mon Sep 17 00:00:00 2001 From: rohitwaghchaure Date: Sun, 9 Feb 2020 21:23:53 +0530 Subject: [PATCH 44/46] fix: pricing rule not working on item groups (#20547) Co-authored-by: Chinmay Pai --- .../doctype/pricing_rule/test_pricing_rule.py | 48 +++++++++++++++++++ .../accounts/doctype/pricing_rule/utils.py | 2 +- .../setup/doctype/item_group/item_group.py | 12 ++--- 3 files changed, 53 insertions(+), 9 deletions(-) diff --git a/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py index 332a900791..9c1fef69fa 100644 --- a/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py @@ -9,6 +9,8 @@ from erpnext.selling.doctype.sales_order.test_sales_order import make_sales_orde from erpnext.accounts.doctype.sales_invoice.test_sales_invoice import create_sales_invoice from erpnext.stock.get_item_details import get_item_details from frappe import MandatoryError +from erpnext.stock.doctype.item.test_item import make_item +from erpnext.healthcare.doctype.lab_test_template.lab_test_template import make_item_price class TestPricingRule(unittest.TestCase): def setUp(self): @@ -145,6 +147,52 @@ class TestPricingRule(unittest.TestCase): self.assertEquals(details.get("margin_type"), "Percentage") self.assertEquals(details.get("margin_rate_or_amount"), 10) + def test_mixed_conditions_for_item_group(self): + for item in ["Mixed Cond Item 1", "Mixed Cond Item 2"]: + make_item(item, {"item_group": "Products"}) + make_item_price(item, "_Test Price List", 100) + + test_record = { + "doctype": "Pricing Rule", + "title": "_Test Pricing Rule for Item Group", + "apply_on": "Item Group", + "item_groups": [ + { + "item_group": "Products", + }, + { + "item_group": "Seed", + }, + ], + "selling": 1, + "mixed_conditions": 1, + "currency": "USD", + "rate_or_discount": "Discount Percentage", + "discount_percentage": 10, + "applicable_for": "Customer Group", + "customer_group": "All Customer Groups", + "company": "_Test Company" + } + frappe.get_doc(test_record.copy()).insert() + + args = frappe._dict({ + "item_code": "Mixed Cond Item 1", + "item_group": "Products", + "company": "_Test Company", + "price_list": "_Test Price List", + "currency": "_Test Currency", + "doctype": "Sales Order", + "conversion_rate": 1, + "price_list_currency": "_Test Currency", + "plc_conversion_rate": 1, + "order_type": "Sales", + "customer": "_Test Customer", + "customer_group": "_Test Customer Group", + "name": None + }) + details = get_item_details(args) + self.assertEquals(details.get("discount_percentage"), 10) + def test_pricing_rule_for_variants(self): from erpnext.stock.get_item_details import get_item_details from frappe import MandatoryError diff --git a/erpnext/accounts/doctype/pricing_rule/utils.py b/erpnext/accounts/doctype/pricing_rule/utils.py index fe68fdb6c0..e475563c77 100644 --- a/erpnext/accounts/doctype/pricing_rule/utils.py +++ b/erpnext/accounts/doctype/pricing_rule/utils.py @@ -489,7 +489,7 @@ def get_pricing_rule_items(pr_doc): for d in pr_doc.get(pricing_rule_apply_on): if apply_on == 'item_group': - get_child_item_groups(d.get(apply_on)) + apply_on_data.extend(get_child_item_groups(d.get(apply_on))) else: apply_on_data.append(d.get(apply_on)) diff --git a/erpnext/setup/doctype/item_group/item_group.py b/erpnext/setup/doctype/item_group/item_group.py index 9f25882866..43778404b6 100644 --- a/erpnext/setup/doctype/item_group/item_group.py +++ b/erpnext/setup/doctype/item_group/item_group.py @@ -174,15 +174,11 @@ def get_child_groups(item_group_name): and show_in_website = 1""", {"lft": item_group.lft, "rgt": item_group.rgt}) def get_child_item_groups(item_group_name): - child_item_groups = frappe.cache().hget("child_item_groups", item_group_name) + item_group = frappe.get_cached_value("Item Group", + item_group_name, ["lft", "rgt"], as_dict=1) - if not child_item_groups: - item_group = frappe.get_cached_doc("Item Group", item_group_name) - - child_item_groups = [d.name for d in frappe.get_all('Item Group', - filters= {'lft': ('>=', item_group.lft),'rgt': ('>=', item_group.rgt)})] - - frappe.cache().hset("child_item_groups", item_group_name, child_item_groups) + child_item_groups = [d.name for d in frappe.get_all('Item Group', + filters= {'lft': ('>=', item_group.lft),'rgt': ('<=', item_group.rgt)})] return child_item_groups or {} From 8334a3a1fd1b1ffeb6eaf068e5d1da40af0fb0ff Mon Sep 17 00:00:00 2001 From: Rucha Mahabal Date: Mon, 10 Feb 2020 00:34:09 +0530 Subject: [PATCH 45/46] fix: patch for creating irs_1099 custom field (United States) --- erpnext/patches.txt | 1 + .../v12_0/create_irs_1099_field_united_states.py | 10 ++++++++++ 2 files changed, 11 insertions(+) create mode 100644 erpnext/patches/v12_0/create_irs_1099_field_united_states.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 047fc85f0a..428bb7f4ee 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -644,3 +644,4 @@ erpnext.patches.v12_0.set_expense_account_in_landed_cost_voucher_taxes erpnext.patches.v12_0.replace_accounting_with_accounts_in_home_settings erpnext.patches.v12_0.set_payment_entry_status erpnext.patches.v12_0.update_owner_fields_in_acc_dimension_custom_fields +erpnext.patches.v12_0.create_irs_1099_field_united_states diff --git a/erpnext/patches/v12_0/create_irs_1099_field_united_states.py b/erpnext/patches/v12_0/create_irs_1099_field_united_states.py new file mode 100644 index 0000000000..3e4c87f434 --- /dev/null +++ b/erpnext/patches/v12_0/create_irs_1099_field_united_states.py @@ -0,0 +1,10 @@ +from __future__ import unicode_literals +import frappe +from erpnext.regional.united_states.setup import make_custom_fields + +def execute(): + company = frappe.get_all('Company', filters = {'country': 'United States'}) + if not company: + return + + make_custom_fields() \ No newline at end of file From 9462ba65593b62878fc5cd1499c4d284eb1eec73 Mon Sep 17 00:00:00 2001 From: Deepesh Garg <42651287+deepeshgarg007@users.noreply.github.com> Date: Mon, 10 Feb 2020 17:59:17 +0530 Subject: [PATCH 46/46] feat: Group by item wise sales register (#20251) * fix: Group by sales register report * fix: Remove group-by item * fix: Grand total query fix * fix: Remove debug param * fix: Code cleanup and commonification * fix: Add group by functionality to purchase register * fix: Changes in total row display * fix: Minor fixes * fix: Add total row * fix: Do not calculate total for rate --- .../item_wise_purchase_register.js | 16 +- .../item_wise_purchase_register.py | 264 ++++++++-- .../item_wise_sales_register.js | 30 +- .../item_wise_sales_register.py | 454 ++++++++++++++++-- .../report/sales_register/sales_register.py | 4 +- 5 files changed, 674 insertions(+), 94 deletions(-) diff --git a/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.js b/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.js index e936a17373..f88906a0f1 100644 --- a/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.js +++ b/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.js @@ -34,6 +34,20 @@ frappe.query_reports["Item-wise Purchase Register"] = { "label": __("Mode of Payment"), "fieldtype": "Link", "options": "Mode of Payment" + }, + { + "label": __("Group By"), + "fieldname": "group_by", + "fieldtype": "Select", + "options": ["Supplier", "Item Group", "Item", "Invoice"] } - ] + ], + "formatter": function(value, row, column, data, default_formatter) { + value = default_formatter(value, row, column, data); + if (data && data.bold) { + value = value.bold(); + + } + return value; + } } diff --git a/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py b/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py index 380b208548..8b6359c134 100644 --- a/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py +++ b/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py @@ -5,7 +5,9 @@ from __future__ import unicode_literals import frappe, erpnext from frappe import _ from frappe.utils import flt -from erpnext.accounts.report.item_wise_sales_register.item_wise_sales_register import get_tax_accounts +from erpnext.accounts.report.item_wise_sales_register.item_wise_sales_register import (get_tax_accounts, + get_grand_total, add_total_row, get_display_value, get_group_by_and_display_fields, add_sub_total_row, + get_group_by_conditions) def execute(filters=None): return _execute(filters) @@ -13,7 +15,7 @@ def execute(filters=None): def _execute(filters=None, additional_table_columns=None, additional_query_columns=None): if not filters: filters = {} filters.update({"from_date": filters.get("date_range")[0], "to_date": filters.get("date_range")[1]}) - columns = get_columns(additional_table_columns) + columns = get_columns(additional_table_columns, filters) company_currency = erpnext.get_company_currency(filters.company) @@ -23,16 +25,16 @@ def _execute(filters=None, additional_table_columns=None, additional_query_colum itemised_tax, tax_columns = get_tax_accounts(item_list, columns, company_currency, doctype="Purchase Invoice", tax_doctype="Purchase Taxes and Charges") - columns.append({ - "fieldname": "currency", - "label": _("Currency"), - "fieldtype": "Data", - "width": 80 - }) - po_pr_map = get_purchase_receipts_against_purchase_order(item_list) data = [] + total_row_map = {} + skip_total_row = 0 + prev_group_by_value = '' + + if filters.get('group_by'): + grand_total = get_grand_total(filters, 'Purchase Invoice') + for d in item_list: if not d.stock_qty: continue @@ -44,51 +46,243 @@ def _execute(filters=None, additional_table_columns=None, additional_query_colum purchase_receipt = ", ".join(po_pr_map.get(d.po_detail, [])) expense_account = d.expense_account or aii_account_map.get(d.company) - row = [d.item_code, d.item_name, d.item_group, d.description, d.parent, d.posting_date, d.supplier, - d.supplier_name] + + row = { + 'item_code': d.item_code, + 'item_name': d.item_name, + 'item_group': d.item_group, + 'description': d.description, + 'invoice': d.parent, + 'posting_date': d.posting_date, + 'customer': d.supplier, + 'customer_name': d.supplier_name + } if additional_query_columns: for col in additional_query_columns: - row.append(d.get(col)) + row.update({ + col: d.get(col) + }) - row += [ - d.credit_to, d.mode_of_payment, d.project, d.company, d.purchase_order, - purchase_receipt, expense_account, d.stock_qty, d.stock_uom, d.base_net_amount / d.stock_qty, d.base_net_amount - ] + row.update({ + 'credit_to': d.credit_to, + 'mode_of_payment': d.mode_of_payment, + 'project': d.project, + 'company': d.company, + 'purchase_order': d.purchase_order, + 'purchase_receipt': d.purchase_receipt, + 'expense_account': expense_account, + 'stock_qty': d.stock_qty, + 'stock_uom': d.stock_uom, + 'rate': d.base_net_amount / d.stock_qty, + 'amount': d.base_net_amount + }) total_tax = 0 for tax in tax_columns: item_tax = itemised_tax.get(d.name, {}).get(tax, {}) - row += [item_tax.get("tax_rate", 0), item_tax.get("tax_amount", 0)] + row.update({ + frappe.scrub(tax + ' Rate'): item_tax.get("tax_rate", 0), + frappe.scrub(tax + ' Amount'): item_tax.get("tax_amount", 0), + }) total_tax += flt(item_tax.get("tax_amount")) - row += [total_tax, d.base_net_amount + total_tax, company_currency] + row.update({ + 'total_tax': total_tax, + 'total': d.base_net_amount + total_tax, + 'currency': company_currency + }) + + if filters.get('group_by'): + row.update({'percent_gt': flt(row['total']/grand_total) * 100}) + group_by_field, subtotal_display_field = get_group_by_and_display_fields(filters) + data, prev_group_by_value = add_total_row(data, filters, prev_group_by_value, d, total_row_map, + group_by_field, subtotal_display_field, grand_total, tax_columns) + add_sub_total_row(row, total_row_map, d.get(group_by_field, ''), tax_columns) data.append(row) - return columns, data + if filters.get('group_by'): + total_row = total_row_map.get(prev_group_by_value or d.get('item_name')) + total_row['percent_gt'] = flt(total_row['total']/grand_total * 100) + data.append(total_row) + data.append({}) + add_sub_total_row(total_row, total_row_map, 'total_row', tax_columns) + data.append(total_row_map.get('total_row')) + skip_total_row = 1 + + return columns, data, None, None, None, skip_total_row -def get_columns(additional_table_columns): - columns = [ - _("Item Code") + ":Link/Item:120", _("Item Name") + "::120", - _("Item Group") + ":Link/Item Group:100", "Description::150", _("Invoice") + ":Link/Purchase Invoice:120", - _("Posting Date") + ":Date:80", _("Supplier") + ":Link/Supplier:120", - "Supplier Name::120" - ] +def get_columns(additional_table_columns, filters): + + columns = [] + + if filters.get('group_by') != ('Item'): + columns.extend( + [ + { + 'label': _('Item Code'), + 'fieldname': 'item_code', + 'fieldtype': 'Link', + 'options': 'Item', + 'width': 120 + }, + { + 'label': _('Item Name'), + 'fieldname': 'item_name', + 'fieldtype': 'Data', + 'width': 120 + } + ] + ) + + if filters.get('group_by') not in ('Item', 'Item Group'): + columns.extend([ + { + 'label': _('Item Group'), + 'fieldname': 'item_group', + 'fieldtype': 'Link', + 'options': 'Item Group', + 'width': 120 + } + ]) + + columns.extend([ + { + 'label': _('Description'), + 'fieldname': 'description', + 'fieldtype': 'Data', + 'width': 150 + }, + { + 'label': _('Invoice'), + 'fieldname': 'invoice', + 'fieldtype': 'Link', + 'options': 'Purchase Invoice', + 'width': 120 + }, + { + 'label': _('Posting Date'), + 'fieldname': 'posting_date', + 'fieldtype': 'Date', + 'width': 120 + } + ]) + + if filters.get('group_by') != 'Supplier': + columns.extend([ + { + 'label': _('Supplier'), + 'fieldname': 'supplier', + 'fieldtype': 'Link', + 'options': 'Supplier', + 'width': 120 + }, + { + 'label': _('Supplier Name'), + 'fieldname': 'supplier_name', + 'fieldtype': 'Data', + 'width': 120 + } + ]) if additional_table_columns: columns += additional_table_columns columns += [ - "Payable Account:Link/Account:120", - _("Mode of Payment") + ":Link/Mode of Payment:80", _("Project") + ":Link/Project:80", - _("Company") + ":Link/Company:100", _("Purchase Order") + ":Link/Purchase Order:100", - _("Purchase Receipt") + ":Link/Purchase Receipt:100", _("Expense Account") + ":Link/Account:140", - _("Stock Qty") + ":Float:120", _("Stock UOM") + "::100", - _("Rate") + ":Currency/currency:120", _("Amount") + ":Currency/currency:120" + { + 'label': _('Payable Account'), + 'fieldname': 'credit_to', + 'fieldtype': 'Link', + 'options': 'Account', + 'width': 80 + }, + { + 'label': _('Mode Of Payment'), + 'fieldname': 'mode_of_payment', + 'fieldtype': 'Data', + 'width': 120 + }, + { + 'label': _('Project'), + 'fieldname': 'project', + 'fieldtype': 'Link', + 'options': 'Project', + 'width': 80 + }, + { + 'label': _('Company'), + 'fieldname': 'company', + 'fieldtype': 'Link', + 'options': 'Company', + 'width': 80 + }, + { + 'label': _('Purchase Order'), + 'fieldname': 'purchase_order', + 'fieldtype': 'Link', + 'options': 'Purchase Order', + 'width': 100 + }, + { + 'label': _("Purchase Receipt"), + 'fieldname': 'Purchase Receipt', + 'fieldtype': 'Link', + 'options': 'Purchase Receipt', + 'width': 100 + }, + { + 'label': _('Expense Account'), + 'fieldname': 'expense_account', + 'fieldtype': 'Link', + 'options': 'Account', + 'width': 100 + }, + { + 'label': _('Stock Qty'), + 'fieldname': 'stock_qty', + 'fieldtype': 'Float', + 'width': 100 + }, + { + 'label': _('Stock UOM'), + 'fieldname': 'stock_uom', + 'fieldtype': 'Link', + 'options': 'UOM', + 'width': 100 + }, + { + 'label': _('Rate'), + 'fieldname': 'rate', + 'fieldtype': 'Float', + 'options': 'currency', + 'width': 100 + }, + { + 'label': _('Amount'), + 'fieldname': 'amount', + 'fieldtype': 'Currency', + 'options': 'currency', + 'width': 100 + }, + { + 'fieldname': 'currency', + 'label': _('Currency'), + 'fieldtype': 'Currency', + 'width': 80, + 'hidden': 1 + } ] + if filters.get('group_by'): + columns.append({ + 'label': _('% Of Grand Total'), + 'fieldname': 'percent_gt', + 'fieldtype': 'Float', + 'width': 80 + }) + return columns def get_conditions(filters): @@ -103,6 +297,11 @@ def get_conditions(filters): if filters.get(opts[0]): conditions += opts[1] + if not filters.get("group_by"): + conditions += "ORDER BY `tabPurchase Invoice`.posting_date desc, `tabPurchase Invoice Item`.item_code desc" + else: + conditions += get_group_by_conditions(filters, 'Purchase Invoice') + return conditions def get_items(filters, additional_query_columns): @@ -129,7 +328,6 @@ def get_items(filters, additional_query_columns): from `tabPurchase Invoice`, `tabPurchase Invoice Item` where `tabPurchase Invoice`.name = `tabPurchase Invoice Item`.`parent` and `tabPurchase Invoice`.docstatus = 1 %s %s - order by `tabPurchase Invoice`.posting_date desc, `tabPurchase Invoice Item`.item_code desc """.format(additional_query_columns) % (conditions, match_conditions), filters, as_dict=1) def get_aii_accounts(): diff --git a/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.js b/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.js index 9dd9b3fad4..8a9c76f26f 100644 --- a/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.js +++ b/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.js @@ -4,48 +4,62 @@ frappe.query_reports["Item-wise Sales Register"] = { "filters": [ { - "fieldname":"date_range", + "fieldname": "date_range", "label": __("Date Range"), "fieldtype": "DateRange", "default": [frappe.datetime.add_months(frappe.datetime.get_today(),-1), frappe.datetime.get_today()], "reqd": 1 }, { - "fieldname":"customer", + "fieldname": "customer", "label": __("Customer"), "fieldtype": "Link", "options": "Customer" }, { - "fieldname":"company", + "fieldname": "company", "label": __("Company"), "fieldtype": "Link", "options": "Company", "default": frappe.defaults.get_user_default("Company") }, { - "fieldname":"mode_of_payment", + "fieldname": "mode_of_payment", "label": __("Mode of Payment"), "fieldtype": "Link", "options": "Mode of Payment" }, { - "fieldname":"warehouse", + "fieldname": "warehouse", "label": __("Warehouse"), "fieldtype": "Link", "options": "Warehouse" }, { - "fieldname":"brand", + "fieldname": "brand", "label": __("Brand"), "fieldtype": "Link", "options": "Brand" }, { - "fieldname":"item_group", + "fieldname": "item_group", "label": __("Item Group"), "fieldtype": "Link", "options": "Item Group" + }, + { + "label": __("Group By"), + "fieldname": "group_by", + "fieldtype": "Select", + "options": ["Customer Group", "Customer", "Item Group", "Item", "Territory", "Invoice"] } - ] + ], + "formatter": function(value, row, column, data, default_formatter) { + value = default_formatter(value, row, column, data); + if (data && data.bold) { + value = value.bold(); + + } + return value; + } } diff --git a/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py b/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py index 9da89ff2c9..2cc2db6ca5 100644 --- a/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +++ b/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py @@ -4,7 +4,7 @@ from __future__ import unicode_literals import frappe, erpnext from frappe import _ -from frappe.utils import flt +from frappe.utils import flt, cstr from frappe.model.meta import get_field_precision from frappe.utils.xlsxutils import handle_html from erpnext.accounts.report.sales_register.sales_register import get_mode_of_payments @@ -15,23 +15,25 @@ def execute(filters=None): def _execute(filters=None, additional_table_columns=None, additional_query_columns=None): if not filters: filters = {} filters.update({"from_date": filters.get("date_range") and filters.get("date_range")[0], "to_date": filters.get("date_range") and filters.get("date_range")[1]}) - columns = get_columns(additional_table_columns) + columns = get_columns(additional_table_columns, filters) company_currency = frappe.get_cached_value('Company', filters.get("company"), "default_currency") item_list = get_items(filters, additional_query_columns) if item_list: itemised_tax, tax_columns = get_tax_accounts(item_list, columns, company_currency) - columns.append({ - "fieldname": "currency", - "label": _("Currency"), - "fieldtype": "Data", - "width": 80 - }) + mode_of_payments = get_mode_of_payments(set([d.parent for d in item_list])) so_dn_map = get_delivery_notes_against_sales_order(item_list) data = [] + total_row_map = {} + skip_total_row = 0 + prev_group_by_value = '' + + if filters.get('group_by'): + grand_total = get_grand_total(filters, 'Sales Invoice') + for d in item_list: delivery_note = None if d.delivery_note: @@ -42,57 +44,285 @@ def _execute(filters=None, additional_table_columns=None, additional_query_colum if not delivery_note and d.update_stock: delivery_note = d.parent - row = [d.item_code, d.item_name, d.item_group, d.description, d.parent, d.posting_date, d.customer, d.customer_name] + row = { + 'item_code': d.item_code, + 'item_name': d.item_name, + 'item_group': d.item_group, + 'description': d.description, + 'invoice': d.parent, + 'posting_date': d.posting_date, + 'customer': d.customer, + 'customer_name': d.customer_name, + 'customer_group': d.customer_group, + } if additional_query_columns: for col in additional_query_columns: - row.append(d.get(col)) + row.update({ + col: d.get(col) + }) - row += [ - d.customer_group, d.debit_to, ", ".join(mode_of_payments.get(d.parent, [])), - d.territory, d.project, d.company, d.sales_order, - delivery_note, d.income_account, d.cost_center, d.stock_qty, d.stock_uom - ] + row.update({ + 'debit_to': d.debit_to, + 'mode_of_payment': ", ".join(mode_of_payments.get(d.parent, [])), + 'territory': d.territory, + 'project': d.project, + 'company': d.company, + 'sales_order': d.sales_order, + 'delivery_note': d.delivery_note, + 'income_account': d.income_account, + 'cost_center': d.cost_center, + 'stock_qty': d.stock_qty, + 'stock_uom': d.stock_uom + }) if d.stock_uom != d.uom and d.stock_qty: - row += [(d.base_net_rate * d.qty)/d.stock_qty, d.base_net_amount] + row.update({ + 'rate': (d.base_net_rate * d.qty)/d.stock_qty, + 'amount': d.base_net_amount + }) else: - row += [d.base_net_rate, d.base_net_amount] + row.update({ + 'rate': d.base_net_rate, + 'amount': d.base_net_amount + }) total_tax = 0 for tax in tax_columns: item_tax = itemised_tax.get(d.name, {}).get(tax, {}) - row += [item_tax.get("tax_rate", 0), item_tax.get("tax_amount", 0)] + row.update({ + frappe.scrub(tax + ' Rate'): item_tax.get("tax_rate", 0), + frappe.scrub(tax + ' Amount'): item_tax.get("tax_amount", 0), + }) total_tax += flt(item_tax.get("tax_amount")) - row += [total_tax, d.base_net_amount + total_tax, company_currency] + row.update({ + 'total_tax': total_tax, + 'total': d.base_net_amount + total_tax, + 'currency': company_currency + }) + + if filters.get('group_by'): + row.update({'percent_gt': flt(row['total']/grand_total) * 100}) + group_by_field, subtotal_display_field = get_group_by_and_display_fields(filters) + data, prev_group_by_value = add_total_row(data, filters, prev_group_by_value, d, total_row_map, + group_by_field, subtotal_display_field, grand_total, tax_columns) + add_sub_total_row(row, total_row_map, d.get(group_by_field, ''), tax_columns) data.append(row) - return columns, data + if filters.get('group_by'): + total_row = total_row_map.get(prev_group_by_value or d.get('item_name')) + total_row['percent_gt'] = flt(total_row['total']/grand_total * 100) + data.append(total_row) + data.append({}) + add_sub_total_row(total_row, total_row_map, 'total_row', tax_columns) + data.append(total_row_map.get('total_row')) + skip_total_row = 1 + + return columns, data, None, None, None, skip_total_row -def get_columns(additional_table_columns): - columns = [ - _("Item Code") + ":Link/Item:120", _("Item Name") + "::120", - _("Item Group") + ":Link/Item Group:100", "Description::150", _("Invoice") + ":Link/Sales Invoice:120", - _("Posting Date") + ":Date:80", _("Customer") + ":Link/Customer:120", - _("Customer Name") + "::120"] +def get_columns(additional_table_columns, filters): + columns = [] + + if filters.get('group_by') != ('Item'): + columns.extend( + [ + { + 'label': _('Item Code'), + 'fieldname': 'item_code', + 'fieldtype': 'Link', + 'options': 'Item', + 'width': 120 + }, + { + 'label': _('Item Name'), + 'fieldname': 'item_name', + 'fieldtype': 'Data', + 'width': 120 + } + ] + ) + + if filters.get('group_by') not in ('Item', 'Item Group'): + columns.extend([ + { + 'label': _('Item Group'), + 'fieldname': 'item_group', + 'fieldtype': 'Link', + 'options': 'Item Group', + 'width': 120 + } + ]) + + columns.extend([ + { + 'label': _('Description'), + 'fieldname': 'description', + 'fieldtype': 'Data', + 'width': 150 + }, + { + 'label': _('Invoice'), + 'fieldname': 'invoice', + 'fieldtype': 'Link', + 'options': 'Sales Invoice', + 'width': 120 + }, + { + 'label': _('Posting Date'), + 'fieldname': 'posting_date', + 'fieldtype': 'Date', + 'width': 120 + } + ]) + + if filters.get('group_by') != 'Customer': + columns.extend([ + { + 'label': _('Customer Group'), + 'fieldname': 'customer_group', + 'fieldtype': 'Link', + 'options': 'Customer Group', + 'width': 120 + } + ]) + + if filters.get('group_by') not in ('Customer', 'Customer Group'): + columns.extend([ + { + 'label': _('Customer'), + 'fieldname': 'customer', + 'fieldtype': 'Link', + 'options': 'Customer', + 'width': 120 + }, + { + 'label': _('Customer Name'), + 'fieldname': 'customer_name', + 'fieldtype': 'Data', + 'width': 120 + } + ]) if additional_table_columns: columns += additional_table_columns columns += [ - _("Customer Group") + ":Link/Customer Group:120", - _("Receivable Account") + ":Link/Account:120", - _("Mode of Payment") + "::120", _("Territory") + ":Link/Territory:80", - _("Project") + ":Link/Project:80", _("Company") + ":Link/Company:100", - _("Sales Order") + ":Link/Sales Order:100", _("Delivery Note") + ":Link/Delivery Note:100", - _("Income Account") + ":Link/Account:140", _("Cost Center") + ":Link/Cost Center:140", - _("Stock Qty") + ":Float:120", _("Stock UOM") + "::100", - _("Rate") + ":Currency/currency:120", - _("Amount") + ":Currency/currency:120" + { + 'label': _('Receivable Account'), + 'fieldname': 'debit_to', + 'fieldtype': 'Link', + 'options': 'Account', + 'width': 80 + }, + { + 'label': _('Mode Of Payment'), + 'fieldname': 'mode_of_payment', + 'fieldtype': 'Data', + 'width': 120 + } ] + if filters.get('group_by') != 'Terriotory': + columns.extend([ + { + 'label': _("Territory"), + 'fieldname': 'territory', + 'fieldtype': 'Link', + 'options': 'Territory', + 'width': 80 + } + ]) + + + columns += [ + { + 'label': _('Project'), + 'fieldname': 'project', + 'fieldtype': 'Link', + 'options': 'Project', + 'width': 80 + }, + { + 'label': _('Company'), + 'fieldname': 'company', + 'fieldtype': 'Link', + 'options': 'Company', + 'width': 80 + }, + { + 'label': _('Sales Order'), + 'fieldname': 'sales_order', + 'fieldtype': 'Link', + 'options': 'Sales Order', + 'width': 100 + }, + { + 'label': _("Delivery Note"), + 'fieldname': 'delivery_note', + 'fieldtype': 'Link', + 'options': 'Delivery Note', + 'width': 100 + }, + { + 'label': _('Income Account'), + 'fieldname': 'income_account', + 'fieldtype': 'Link', + 'options': 'Account', + 'width': 100 + }, + { + 'label': _("Cost Center"), + 'fieldname': 'cost_center', + 'fieldtype': 'Link', + 'options': 'Cost Center', + 'width': 100 + }, + { + 'label': _('Stock Qty'), + 'fieldname': 'stock_qty', + 'fieldtype': 'Float', + 'width': 100 + }, + { + 'label': _('Stock UOM'), + 'fieldname': 'stock_uom', + 'fieldtype': 'Link', + 'options': 'UOM', + 'width': 100 + }, + { + 'label': _('Rate'), + 'fieldname': 'rate', + 'fieldtype': 'Float', + 'options': 'currency', + 'width': 100 + }, + { + 'label': _('Amount'), + 'fieldname': 'amount', + 'fieldtype': 'Currency', + 'options': 'currency', + 'width': 100 + }, + { + 'fieldname': 'currency', + 'label': _('Currency'), + 'fieldtype': 'Currency', + 'width': 80, + 'hidden': 1 + } + ] + + if filters.get('group_by'): + columns.append({ + 'label': _('% Of Grand Total'), + 'fieldname': 'percent_gt', + 'fieldtype': 'Float', + 'width': 80 + }) + return columns def get_conditions(filters): @@ -112,24 +342,32 @@ def get_conditions(filters): and ifnull(`tabSales Invoice Payment`.mode_of_payment, '') = %(mode_of_payment)s)""" if filters.get("warehouse"): - conditions += """ and exists(select name from `tabSales Invoice Item` - where parent=`tabSales Invoice`.name - and ifnull(`tabSales Invoice Item`.warehouse, '') = %(warehouse)s)""" + conditions += """and ifnull(`tabSales Invoice Item`.warehouse, '') = %(warehouse)s""" if filters.get("brand"): - conditions += """ and exists(select name from `tabSales Invoice Item` - where parent=`tabSales Invoice`.name - and ifnull(`tabSales Invoice Item`.brand, '') = %(brand)s)""" + conditions += """and ifnull(`tabSales Invoice Item`.brand, '') = %(brand)s""" if filters.get("item_group"): - conditions += """ and exists(select name from `tabSales Invoice Item` - where parent=`tabSales Invoice`.name - and ifnull(`tabSales Invoice Item`.item_group, '') = %(item_group)s)""" + conditions += """and ifnull(`tabSales Invoice Item`.item_group, '') = %(item_group)s""" + if not filters.get("group_by"): + conditions += "ORDER BY `tabSales Invoice`.posting_date desc, `tabSales Invoice Item`.item_group desc" + else: + conditions += get_group_by_conditions(filters, 'Sales Invoice') return conditions +def get_group_by_conditions(filters, doctype): + if filters.get("group_by") == 'Invoice': + return "ORDER BY `tab{0} Item`.parent desc".format(doctype) + elif filters.get("group_by") == 'Item': + return "ORDER BY `tab{0} Item`.`item_code`".format(doctype) + elif filters.get("group_by") == 'Item Group': + return "ORDER BY `tab{0} Item`.{1}".format(doctype, frappe.scrub(filters.get('group_by'))) + elif filters.get("group_by") in ('Customer', 'Customer Group', 'Territory', 'Supplier'): + return "ORDER BY `tab{0}`.{1}".format(doctype, frappe.scrub(filters.get('group_by'))) + def get_items(filters, additional_query_columns): conditions = get_conditions(filters) match_conditions = frappe.build_match_conditions("Sales Invoice") @@ -156,9 +394,8 @@ def get_items(filters, additional_query_columns): `tabSales Invoice`.update_stock, `tabSales Invoice Item`.uom, `tabSales Invoice Item`.qty {0} from `tabSales Invoice`, `tabSales Invoice Item` where `tabSales Invoice`.name = `tabSales Invoice Item`.parent - and `tabSales Invoice`.docstatus = 1 %s %s - order by `tabSales Invoice`.posting_date desc, `tabSales Invoice Item`.item_code desc - """.format(additional_query_columns or '') % (conditions, match_conditions), filters, as_dict=1) + and `tabSales Invoice`.docstatus = 1 {1} {2} + """.format(additional_query_columns or '', conditions, match_conditions), filters, as_dict=1) #nosec def get_delivery_notes_against_sales_order(item_list): so_dn_map = frappe._dict() @@ -177,6 +414,15 @@ def get_delivery_notes_against_sales_order(item_list): return so_dn_map +def get_grand_total(filters, doctype): + + return frappe.db.sql(""" SELECT + SUM(`tab{0}`.base_grand_total) + FROM `tab{0}` + WHERE `tab{0}`.docstatus = 1 + and posting_date between %s and %s + """.format(doctype), (filters.get('from_date'), filters.get('to_date')))[0][0] #nosec + def get_deducted_taxes(): return frappe.db.sql_list("select name from `tabPurchase Taxes and Charges` where add_deduct_tax = 'Deduct'") @@ -264,9 +510,117 @@ def get_tax_accounts(item_list, columns, company_currency, tax_columns.sort() for desc in tax_columns: - columns.append(desc + " Rate:Data:80") - columns.append(desc + " Amount:Currency/currency:100") + columns.append({ + 'label': _(desc + ' Rate'), + 'fieldname': frappe.scrub(desc + ' Rate'), + 'fieldtype': 'Float', + 'width': 100 + }) - columns += ["Total Tax:Currency/currency:80", "Total:Currency/currency:100"] + columns.append({ + 'label': _(desc + ' Amount'), + 'fieldname': frappe.scrub(desc + ' Amount'), + 'fieldtype': 'Currency', + 'options': 'currency', + 'width': 100 + }) + + columns += [ + { + 'label': _('Total Tax'), + 'fieldname': 'total_tax', + 'fieldtype': 'Currency', + 'options': 'currency', + 'width': 100 + }, + { + 'label': _('Total'), + 'fieldname': 'total', + 'fieldtype': 'Currency', + 'options': 'currency', + 'width': 100 + } + ] return itemised_tax, tax_columns + +def add_total_row(data, filters, prev_group_by_value, item, total_row_map, + group_by_field, subtotal_display_field, grand_total, tax_columns): + if prev_group_by_value != item.get(group_by_field, ''): + if prev_group_by_value: + total_row = total_row_map.get(prev_group_by_value) + data.append(total_row) + data.append({}) + add_sub_total_row(total_row, total_row_map, 'total_row', tax_columns) + + prev_group_by_value = item.get(group_by_field, '') + + total_row_map.setdefault(item.get(group_by_field, ''), { + subtotal_display_field: get_display_value(filters, group_by_field, item), + 'stock_qty': 0.0, + 'amount': 0.0, + 'bold': 1, + 'total_tax': 0.0, + 'total': 0.0, + 'percent_gt': 0.0 + }) + + total_row_map.setdefault('total_row', { + subtotal_display_field: "Total", + 'stock_qty': 0.0, + 'amount': 0.0, + 'bold': 1, + 'total_tax': 0.0, + 'total': 0.0, + 'percent_gt': 0.0 + }) + + return data, prev_group_by_value + +def get_display_value(filters, group_by_field, item): + if filters.get('group_by') == 'Item': + if item.get('item_code') != item.get('item_name'): + value = cstr(item.get('item_code')) + "

" + \ + "" + cstr(item.get('item_name')) + "" + else: + value = item.get('item_code', '') + elif filters.get('group_by') in ('Customer', 'Supplier'): + party = frappe.scrub(filters.get('group_by')) + if item.get(party) != item.get(party+'_name'): + value = item.get(party) + "

" + \ + "" + item.get(party+'_name') + "" + else: + value = item.get(party) + else: + value = item.get(group_by_field) + + return value + +def get_group_by_and_display_fields(filters): + if filters.get('group_by') == 'Item': + group_by_field = 'item_code' + subtotal_display_field = 'invoice' + elif filters.get('group_by') == 'Invoice': + group_by_field = 'parent' + subtotal_display_field = 'item_code' + else: + group_by_field = frappe.scrub(filters.get('group_by')) + subtotal_display_field = 'item_code' + + return group_by_field, subtotal_display_field + +def add_sub_total_row(item, total_row_map, group_by_value, tax_columns): + total_row = total_row_map.get(group_by_value) + total_row['stock_qty'] += item['stock_qty'] + total_row['amount'] += item['amount'] + total_row['total_tax'] += item['total_tax'] + total_row['total'] += item['total'] + total_row['percent_gt'] += item['percent_gt'] + + for tax in tax_columns: + total_row.setdefault(frappe.scrub(tax + ' Amount'), 0.0) + total_row[frappe.scrub(tax + ' Amount')] += flt(item[frappe.scrub(tax + ' Amount')]) + + + + diff --git a/erpnext/accounts/report/sales_register/sales_register.py b/erpnext/accounts/report/sales_register/sales_register.py index afdd31df16..2be90bc526 100644 --- a/erpnext/accounts/report/sales_register/sales_register.py +++ b/erpnext/accounts/report/sales_register/sales_register.py @@ -139,7 +139,7 @@ def get_columns(invoice_list, additional_table_columns): columns +=[ { - 'label': _("Custmer Group"), + 'label': _("Customer Group"), 'fieldname': 'customer_group', 'fieldtype': 'Link', 'options': 'Customer Group', @@ -175,7 +175,7 @@ def get_columns(invoice_list, additional_table_columns): 'label': _("Project"), 'fieldname': 'project', 'fieldtype': 'Link', - 'options': 'project', + 'options': 'Project', 'width': 80 }, {